Merge remote-tracking branch 'upstream/unstable' into integration_tests_2

This commit is contained in:
Audric Ackermann 2023-08-07 16:13:01 +10:00
commit c796afe4c8
588 changed files with 28652 additions and 20732 deletions

View File

@ -10,3 +10,4 @@ indent_style = space
insert_final_newline = true insert_final_newline = true
trim_trailing_whitespace = true trim_trailing_whitespace = true
indent_size = 2 indent_size = 2
quote_type = double

View File

@ -1,5 +1,4 @@
build/** build/**
components/**
dist/** dist/**
mnemonic_languages/** mnemonic_languages/**
@ -13,3 +12,5 @@ ts/**/*.js
playwright.config.js playwright.config.js
preload.js preload.js
stylesheets/dist/ stylesheets/dist/
compiled.d.ts
.eslintrc.js

View File

@ -1,13 +1,23 @@
// For reference: https://github.com/airbnb/javascript
module.exports = { module.exports = {
root: true,
settings: { settings: {
'import/core-modules': ['electron'], 'import/core-modules': ['electron'],
react: {
version: 'detect',
},
}, },
extends: ['airbnb-base', 'prettier'], extends: [
'airbnb-base',
'prettier',
'plugin:@typescript-eslint/recommended',
'plugin:react/recommended',
'plugin:react-hooks/recommended',
],
plugins: ['mocha', 'more'], plugins: ['mocha', 'more', '@typescript-eslint'],
parser: '@typescript-eslint/parser',
parserOptions: { project: ['tsconfig.json'] },
rules: { rules: {
'comma-dangle': [ 'comma-dangle': [
@ -47,10 +57,38 @@ module.exports = {
'linebreak-style': ['error', 'unix'], 'linebreak-style': ['error', 'unix'],
quotes: ['error', 'single', { avoidEscape: true, allowTemplateLiterals: true }], quotes: ['error', 'single', { avoidEscape: true, allowTemplateLiterals: true }],
'@typescript-eslint/no-floating-promises': ['error'],
'@typescript-eslint/await-thenable': 'error',
'@typescript-eslint/array-type': ['error', { default: 'generic' }],
'@typescript-eslint/no-misused-promises': 'error',
// Prettier overrides: // Prettier overrides:
'arrow-parens': 'off', 'arrow-parens': 'off',
'no-nested-ternary': 'off',
'function-paren-newline': 'off', 'function-paren-newline': 'off',
'import/prefer-default-export': 'off',
'operator-linebreak': 'off',
'prefer-destructuring': 'off',
'max-classes-per-file': 'off',
'lines-between-class-members': 'off',
'@typescript-eslint/no-explicit-any': 'off', // to reenable later
'arrow-body-style': 'off',
'no-plusplus': 'off',
'no-continue': 'off',
'no-void': 'off',
'default-param-last': 'off',
'no-shadow': 'off',
'@typescript-eslint/no-shadow': 'error',
'class-methods-use-this': 'off',
camelcase: 'off',
'no-unused-vars': 'off',
'@typescript-eslint/no-unused-vars': ['error', { argsIgnorePattern: '^_' }],
// 'no-unused-expressions': 'off',
// '@typescript-eslint/no-unused-expressions': 'error',
'max-len': [ 'max-len': [
'error', 'error',
{ {
@ -59,10 +97,28 @@ module.exports = {
// high value as a buffer to let Prettier control the line length: // high value as a buffer to let Prettier control the line length:
code: 999, code: 999,
// We still want to limit comments as before: // We still want to limit comments as before:
comments: 150, comments: 200,
ignoreUrls: true, ignoreUrls: true,
ignoreRegExpLiterals: true, ignoreRegExpLiterals: true,
}, },
], ],
}, },
overrides: [
{
files: ['*_test.ts'],
rules: {
'no-unused-expressions': 'off',
'no-await-in-loop': 'off',
'no-empty': 'off',
},
},
{
files: ['ts/state/ducks/*.tsx', 'ts/state/ducks/*.ts'],
rules: { 'no-param-reassign': ['error', { props: false }] },
},
{
files: ['ts/node/**/*.ts', 'ts/test/**/*.ts'],
rules: { 'no-console': 'off', 'import/no-extraneous-dependencies': 'off' },
},
],
}; };

View File

@ -5,9 +5,14 @@ on:
push: push:
branches: branches:
- clearnet - clearnet
- unstable
pull_request: pull_request:
branches: branches:
- clearnet - clearnet
- unstable
concurrency:
group: ${{ github.workflow }}-${{ github.event.pull_request.number || github.ref }}
cancel-in-progress: true
jobs: jobs:
build: build:
@ -15,7 +20,7 @@ jobs:
strategy: strategy:
fail-fast: false fail-fast: false
matrix: matrix:
os: [windows-2019, macos-latest, ubuntu-20.04] os: [windows-2022, macos-11, ubuntu-20.04]
env: env:
SIGNAL_ENV: production SIGNAL_ENV: production
GH_TOKEN: ${{ secrets.GITHUB_TOKEN }} GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}
@ -27,35 +32,27 @@ jobs:
# we stay on v2 even if there is a v3 because the v3 logic is less flexible for our usecase # we stay on v2 even if there is a v3 because the v3 logic is less flexible for our usecase
- name: Install node - name: Install node
uses: actions/setup-node@v2 uses: actions/setup-node@v3
with: with:
node-version: '16.13.0' node-version-file: '.nvmrc'
- name: Cache Desktop node_modules - name: Cache Desktop node_modules
id: cache-desktop-modules id: cache-desktop-modules
uses: actions/cache@v2 uses: actions/cache@v3
if: runner.os != 'Windows' if: runner.os != 'Windows'
with: with:
path: node_modules path: node_modules
key: ${{ runner.os }}-${{ hashFiles('package.json', 'yarn.lock', 'patches/**') }} key: ${{ runner.os }}-${{ hashFiles('package.json', 'yarn.lock', 'patches/**') }}
- name: Chocolatey Install Action
if: runner.os == 'Windows'
uses: crazy-max/ghaction-chocolatey@v1.4.2
with:
args: install python2 visualcpp-build-tools -y
# Not having this will break the windows build because the PATH won't be set by msbuild. # Not having this will break the windows build because the PATH won't be set by msbuild.
- name: Add msbuild to PATH - name: Add msbuild to PATH
uses: microsoft/setup-msbuild@v1.1 uses: microsoft/setup-msbuild@v1.3.1
if: runner.os == 'Windows' if: runner.os == 'Windows'
- name: Setup node for windows - name: Setup node for windows
if: runner.os == 'Windows' if: runner.os == 'Windows'
run: | run: |
npm install --global node-gyp@latest npm install --global yarn node-gyp@latest
npm config set python python2.7
npm config set msvs_version 2017
- name: Install Desktop node_modules - name: Install Desktop node_modules
if: steps.cache-desktop-modules.outputs.cache-hit != 'true' if: steps.cache-desktop-modules.outputs.cache-hit != 'true'

View File

@ -5,6 +5,12 @@ on:
pull_request: pull_request:
branches: branches:
- clearnet - clearnet
- unstable
- unstable1
concurrency:
group: ${{ github.workflow }}-${{ github.event.pull_request.number || github.ref }}
cancel-in-progress: true
jobs: jobs:
build: build:
@ -12,7 +18,7 @@ jobs:
strategy: strategy:
fail-fast: false fail-fast: false
matrix: matrix:
os: [windows-2019, macos-latest, ubuntu-20.04] os: [windows-2022, macos-11, ubuntu-20.04]
env: env:
SIGNAL_ENV: production SIGNAL_ENV: production
GH_TOKEN: ${{ secrets.GITHUB_TOKEN }} GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}
@ -24,34 +30,27 @@ jobs:
# we stay on v2 even if there is a v3 because the v3 logic is less flexible for our usecase # we stay on v2 even if there is a v3 because the v3 logic is less flexible for our usecase
- name: Install node - name: Install node
uses: actions/setup-node@v2 uses: actions/setup-node@v3
with: with:
node-version: '16.13.0' node-version-file: '.nvmrc'
- name: Cache Desktop node_modules - name: Cache Desktop node_modules
id: cache-desktop-modules id: cache-desktop-modules
uses: actions/cache@v2 uses: actions/cache@v3
if: runner.os != 'Windows'
with: with:
path: node_modules path: node_modules
key: ${{ runner.os }}-${{ hashFiles('package.json', 'yarn.lock', 'patches/**') }} key: ${{ runner.os }}-${{ hashFiles('package.json', 'yarn.lock', 'patches/**') }}
- name: Chocolatey Install Action
if: runner.os == 'Windows'
uses: crazy-max/ghaction-chocolatey@v1.4.2
with:
args: install python2 visualcpp-build-tools -y
#Not having this will break the windows build because the PATH won't be set by msbuild. #Not having this will break the windows build because the PATH won't be set by msbuild.
- name: Add msbuild to PATH - name: Add msbuild to PATH
uses: microsoft/setup-msbuild@v1.1 uses: microsoft/setup-msbuild@v1.3.1
if: runner.os == 'Windows' if: runner.os == 'Windows'
- name: Setup node for windows - name: Setup node for windows
if: runner.os == 'Windows' if: runner.os == 'Windows'
run: | run: |
npm install --global node-gyp@latest npm install --global node-gyp@latest
npm config set python python2.7
npm config set msvs_version 2017
- name: Install Desktop node_modules - name: Install Desktop node_modules
if: steps.cache-desktop-modules.outputs.cache-hit != 'true' if: steps.cache-desktop-modules.outputs.cache-hit != 'true'

View File

@ -12,7 +12,7 @@ jobs:
strategy: strategy:
fail-fast: false fail-fast: false
matrix: matrix:
os: [windows-2019, macos-latest, ubuntu-20.04] os: [windows-2022, macos-11, ubuntu-20.04]
env: env:
SIGNAL_ENV: production SIGNAL_ENV: production
GH_TOKEN: ${{ secrets.GITHUB_TOKEN }} GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}
@ -24,35 +24,27 @@ jobs:
# we stay on v2 even if there is a v3 because the v3 logic is less flexible for our usecase # we stay on v2 even if there is a v3 because the v3 logic is less flexible for our usecase
- name: Install node - name: Install node
uses: actions/setup-node@v2 uses: actions/setup-node@v3
with: with:
node-version: '16.13.0' node-version-file: '.nvmrc'
- name: Cache Desktop node_modules - name: Cache Desktop node_modules
id: cache-desktop-modules id: cache-desktop-modules
uses: actions/cache@v2 uses: actions/cache@v3
if: runner.os != 'Windows' if: runner.os != 'Windows'
with: with:
path: node_modules path: node_modules
key: ${{ runner.os }}-${{ hashFiles('package.json', 'yarn.lock', 'patches/**') }} key: ${{ runner.os }}-${{ hashFiles('package.json', 'yarn.lock', 'patches/**') }}
- name: Chocolatey Install Action
if: runner.os == 'Windows'
uses: crazy-max/ghaction-chocolatey@v1.4.2
with:
args: install python2 visualcpp-build-tools -y
#Not having this will break the windows build because the PATH won't be set by msbuild. #Not having this will break the windows build because the PATH won't be set by msbuild.
- name: Add msbuild to PATH - name: Add msbuild to PATH
uses: microsoft/setup-msbuild@v1.1 uses: microsoft/setup-msbuild@v1.3.1
if: runner.os == 'Windows' if: runner.os == 'Windows'
- name: Setup node for windows - name: Setup node for windows
if: runner.os == 'Windows' if: runner.os == 'Windows'
run: | run: |
npm install --global node-gyp@latest npm install --global node-gyp@latest
npm config set python python2.7
npm config set msvs_version 2017
- name: Install Desktop node_modules - name: Install Desktop node_modules
if: steps.cache-desktop-modules.outputs.cache-hit != 'true' if: steps.cache-desktop-modules.outputs.cache-hit != 'true'

3
.gitignore vendored
View File

@ -48,3 +48,6 @@ test-results/
.nyc_output .nyc_output
coverage/ coverage/
stylesheets/dist/ stylesheets/dist/
*.worker.js.LICENSE.txt
ts/webworker/workers/node/**/*.node

2
.nvmrc
View File

@ -1 +1 @@
16.13.0 18.15.0

View File

@ -73,7 +73,7 @@ is no automatic restart mechanism. Alternatively, keep the developer tools open
``` ```
yarn build-everything:watch # runs until you stop it, re-generating built assets on file changes yarn build-everything:watch # runs until you stop it, re-generating built assets on file changes
# Once this command is waiting for changes, you will need to run in another terminal `yarn parcel-util-worker` to fix the "exports undefined" error on start. # Once this command is waiting for changes, you will need to run in another terminal `yarn worker:utils && yarn worker:libsession` to fix the "exports undefined" error on start.
# If you do change the sass while this command is running, it won't pick it up. You need to either run `yarn sass` or have `yarn sass:watch` running in a separate terminal. # If you do change the sass while this command is running, it won't pick it up. You need to either run `yarn sass` or have `yarn sass:watch` running in a separate terminal.
``` ```

View File

@ -1,41 +0,0 @@
/* eslint-disable more/no-then, no-console */
module.exports = grunt => {
grunt.initConfig({
pkg: grunt.file.readJSON('package.json'),
gitinfo: {}, // to be populated by grunt gitinfo
});
Object.keys(grunt.config.get('pkg').devDependencies).forEach(key => {
if (/^grunt(?!(-cli)?$)/.test(key)) {
// ignore grunt and grunt-cli
grunt.loadNpmTasks(key);
}
});
function updateLocalConfig(update) {
const environment = process.env.SIGNAL_ENV || 'production';
const configPath = `config/local-${environment}.json`;
let localConfig;
try {
localConfig = grunt.file.readJSON(configPath);
} catch (e) {
//
}
localConfig = {
...localConfig,
...update,
};
grunt.file.write(configPath, `${JSON.stringify(localConfig)}\n`);
}
grunt.registerTask('getCommitHash', () => {
grunt.task.requires('gitinfo');
const gitinfo = grunt.config.get('gitinfo');
const hash = gitinfo.local.branch.current.SHA;
updateLocalConfig({ commitHash: hash });
});
grunt.registerTask('date', ['gitinfo']);
grunt.registerTask('default', ['date', 'getCommitHash']);
};

View File

@ -49,7 +49,7 @@ base64 -i certificate.p12 -o encoded.txt
### Node version ### Node version
You will need node `16.13.0`. You will need node `18.15.0`.
This can be done by using [nvm](https://github.com/nvm-sh/nvm) and running `nvm use` or you can install it manually. This can be done by using [nvm](https://github.com/nvm-sh/nvm) and running `nvm use` or you can install it manually.
Once nvm is installed, just run `nvm install` to install the version from the `.nvmrc` file and then `nvm use` to use it. Once nvm is installed, just run `nvm install` to install the version from the `.nvmrc` file and then `nvm use` to use it.

View File

@ -1,10 +1,12 @@
# Session Desktop # Session Desktop
[Download at getsession.org](https://getsession.org/download)
## Summary ## Summary
Session integrates directly with [Oxen Service Nodes](https://docs.oxen.io/about-the-oxen-blockchain/oxen-service-nodes), which are a set of distributed, decentralized and Sybil resistant nodes. Service Nodes act as servers which store messages offline, and a set of nodes which allow for onion routing functionality obfuscating users IP Addresses. For a full understanding of how Session works, read the [Session Whitepaper](https://getsession.org/whitepaper). Session integrates directly with [Oxen Service Nodes](https://docs.oxen.io/about-the-oxen-blockchain/oxen-service-nodes), which are a set of distributed, decentralized and Sybil resistant nodes. Service Nodes act as servers which store messages offline, and a set of nodes which allow for onion routing functionality obfuscating users IP Addresses. For a full understanding of how Session works, read the [Session Whitepaper](https://getsession.org/whitepaper).
<br/><br/> <br/><br/>
![DesktopSession](https://i.imgur.com/ZnHvYjo.jpg) ![DesktopSession](https://i.imgur.com/ydVhH00.png)
## Want to Contribute? Found a Bug or Have a feature request? ## Want to Contribute? Found a Bug or Have a feature request?

View File

@ -28,10 +28,10 @@
"viewMenuToggleFullScreen": "غيِر الى كل الشاشة", "viewMenuToggleFullScreen": "غيِر الى كل الشاشة",
"viewMenuToggleDevTools": "اِذهب إلى أدوات المطور", "viewMenuToggleDevTools": "اِذهب إلى أدوات المطور",
"contextMenuNoSuggestions": "لا اقتراحات", "contextMenuNoSuggestions": "لا اقتراحات",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "دعوة المجتمع",
"joinOpenGroupAfterInvitationConfirmationTitle": "انضَم إلى $roomName$؟", "joinOpenGroupAfterInvitationConfirmationTitle": "انضَم إلى $roomName$؟",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "هل أنت متحقِّق أنك تريد الانضمام إلى المجموعة المفتوحة $roomName$؟",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "أدخل عنوان التعريف أو اسم ONS", "enterSessionIDOrONSName": "أدخل عنوان التعريف أو اسم ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "جاري التحميل", "loading": "جاري التحميل",
@ -40,7 +40,7 @@
"youGotKickedFromGroup": "تم اِلغائك من المجموعة.", "youGotKickedFromGroup": "تم اِلغائك من المجموعة.",
"unreadMessages": "الرسائل غير المقروءة", "unreadMessages": "الرسائل غير المقروءة",
"debugLogExplanation": "السجل سوف يُحفظ على سطح مكتبك", "debugLogExplanation": "السجل سوف يُحفظ على سطح مكتبك",
"reportIssue": "Report a Bug", "reportIssue": "الإبلاغ عن خطأ",
"markAllAsRead": "تحديد الكل كمقروء", "markAllAsRead": "تحديد الكل كمقروء",
"incomingError": "خطأ في معالجة الرسالة الواردة", "incomingError": "خطأ في معالجة الرسالة الواردة",
"media": "الوسائط", "media": "الوسائط",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "جهات الاتصال و المجموعات", "conversationsHeader": "جهات الاتصال و المجموعات",
"contactsHeader": "جهات الإتصال", "contactsHeader": "جهات الإتصال",
"messagesHeader": "الرسائل", "messagesHeader": "Conversations",
"settingsHeader": "التعديلات", "settingsHeader": "التعديلات",
"typingAlt": "مؤثرات الكتابة لهذه المحادثة", "typingAlt": "مؤثرات الكتابة لهذه المحادثة",
"contactAvatarAlt": "صورة المتصل $name$", "contactAvatarAlt": "صورة المتصل $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "هل تريد حذف هذه الرسالة ؟", "deleteMessageQuestion": "هل تريد حذف هذه الرسالة ؟",
"deleteMessages": "حذف الرسائل", "deleteMessages": "حذف الرسائل",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "تم حذف هذه الرسالة", "messageDeletedPlaceholder": "تم حذف هذه الرسالة",
"from": "مِن", "from": "مِن",
@ -107,29 +108,30 @@
"sent": "أُرسلت", "sent": "أُرسلت",
"received": "استُقبلت", "received": "استُقبلت",
"sendMessage": "أرسل رسالة", "sendMessage": "أرسل رسالة",
"groupMembers": "أفراد المجموعة", "groupMembers": "الأعضاء",
"moreInformation": "المزيد من المعلومات", "moreInformation": "المزيد من المعلومات",
"resend": "ارسل مجددا", "resend": "ارسل مجددا",
"deleteConversationConfirmation": "حذف المحادثة بصفة نهائية ؟", "deleteConversationConfirmation": "حذف المحادثة بصفة نهائية ؟",
"clear": "Clear", "clear": "Clear",
"clearAllData": "اِمسح جميع البيانات", "clearAllData": "اِمسح جميع البيانات",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "هل أنت متأكد من حذفك المحادثة؟", "deleteContactConfirmation": "هل أنت متأكد من حذفك المحادثة؟",
"quoteThumbnailAlt": "الصورة المصغرة للصورة من الرسالة المقتبسة", "quoteThumbnailAlt": "الصورة المصغرة للصورة من الرسالة المقتبسة",
"imageAttachmentAlt": "صورة مرفقة بالرسالة", "imageAttachmentAlt": "صورة مرفقة بالرسالة",
"videoAttachmentAlt": "لقطة شاشة للفيديو المرفق بالرسالة", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "تم ارسال الصورة للمحادثة", "lightboxImageAlt": "تم ارسال الصورة للمحادثة",
"imageCaptionIconAlt": "أيقونة تظهر أن للصورة تعليق", "imageCaptionIconAlt": "أيقونة تظهر أن للصورة تعليق",
"addACaption": "أضف تعليق...", "addACaption": "أضف تعليق...",
"copySessionID": "اِنسخ رابط التعريف", "copySessionID": "اِنسخ رابط التعريف",
"copyOpenGroupURL": "اِنسخ رابط المجموعة", "copyOpenGroupURL": "Copy Group URL",
"save": "حفظ", "save": "حفظ",
"saveLogToDesktop": "اِحفظ السجل على سطح المكتب", "saveLogToDesktop": "اِحفظ السجل على سطح المكتب",
"saved": "تم الحفظ", "saved": "تم الحفظ",
"tookAScreenshot": "قام $name$ بتصوير الشاشة", "tookAScreenshot": "قام $name$ بتصوير الشاشة",
"savedTheFile": "قام $name$ بحفظ الوسائط", "savedTheFile": "قام $name$ بحفظ الوسائط",
"linkPreviewsTitle": "أرسل معاينات الرابط", "linkPreviewsTitle": "أرسل معاينات الرابط",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "لن يكون لديك حماية كاملة للبيانات الوصفية عند إرسال معاينات الرابط.", "linkPreviewsConfirmMessage": "لن يكون لديك حماية كاملة للبيانات الوصفية عند إرسال معاينات الرابط.",
"mediaPermissionsTitle": "ميكروفون", "mediaPermissionsTitle": "ميكروفون",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "مؤشرات الكتابة", "typingIndicatorsSettingTitle": "مؤشرات الكتابة",
"zoomFactorSettingTitle": "عامل التكبير", "zoomFactorSettingTitle": "عامل التكبير",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,17 +157,17 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "الاسم والرسالة", "nameAndMessage": "Name & Content",
"noNameOrMessage": "لا الاسم ولا الرسالة", "noNameOrMessage": "لا الاسم ولا الرسالة",
"nameOnly": "اسم المُرسِل فقط", "nameOnly": "اسم المُرسِل فقط",
"newMessage": "رسالة جديدة", "newMessage": "رسالة جديدة",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Create a conversation with a new contact",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Create a group with existing contacts",
"joinACommunity": "Join a community", "joinACommunity": "انضم إلى مُجتمع",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Choose an action to start a conversation",
"newMessages": "رسائل جديدة", "newMessages": "رسائل جديدة",
"notificationMostRecentFrom": "Most recent from:", "notificationMostRecentFrom": "Most recent from:",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 ساعة", "timerOption_12_hours": "12 ساعة",
"timerOption_1_day": "1 يوم", "timerOption_1_day": "1 يوم",
"timerOption_1_week": "1 أسبوع", "timerOption_1_week": "1 أسبوع",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "الرسائل المختفية", "disappearingMessages": "الرسائل المختفية",
"changeNickname": "غَير الاسم", "changeNickname": "غَير الاسم",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12سا", "timerOption_12_hours_abbreviated": "12سا",
"timerOption_1_day_abbreviated": "1يوم", "timerOption_1_day_abbreviated": "1يوم",
"timerOption_1_week_abbreviated": "1أسبوع", "timerOption_1_week_abbreviated": "1أسبوع",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "تم تعطيل الرسائل المختفية", "disappearingMessagesDisabled": "تم تعطيل الرسائل المختفية",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "تم تحديد المؤقت على $time$", "timerSetTo": "تم تحديد المؤقت على $time$",
"noteToSelf": "ملاحظة لنفسي", "noteToSelf": "ملاحظة لنفسي",
"hideMenuBarTitle": "إخفاء شريط القائمة", "hideMenuBarTitle": "إخفاء شريط القائمة",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "رقم خاطئ ", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "فشل في حل اسم ONS", "failedResolveOns": "فشل في حل اسم ONS",
"autoUpdateSettingTitle": "تحديث تلقائي", "autoUpdateSettingTitle": "تحديث تلقائي",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ joined the group", "multipleJoinedTheGroup": "$names$ joined the group",
"kickedFromTheGroup": "تمت إزالة $name$ من المجموعة.", "kickedFromTheGroup": "تمت إزالة $name$ من المجموعة.",
"multipleKickedFromTheGroup": "$name$ تم اِلغاءهم من المجموعة.", "multipleKickedFromTheGroup": "$name$ تم اِلغاءهم من المجموعة.",
"blockUser": "اِحظَر", "block": "Block",
"unblockUser": "الغاء الحظر", "unblock": "Unblock",
"unblocked": "تم الغاء الحظر", "unblocked": "تم الغاء الحظر",
"blocked": "تم الحظر", "blocked": "تم الحظر",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "جارٍ تحديث $name$...", "updateGroupDialogTitle": "جارٍ تحديث $name$...",
"showRecoveryPhrase": "جملة الاسترجاع", "showRecoveryPhrase": "جملة الاسترجاع",
"yourSessionID": "عنوان تعريفك", "yourSessionID": "عنوان تعريفك",
"setAccountPasswordTitle": "فَعِل كلمة مرور للحساب", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "غَيٍر كلمة مرور الحساب", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "أَلغي كلمة مرور الحساب", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "إدخل كلمة المرور من فضلك", "enterPassword": "إدخل كلمة المرور من فضلك",
"confirmPassword": "أَكِد كلمة المرور", "confirmPassword": "أَكِد كلمة المرور",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "أَدخِل كلمة المرور من فضلك", "showRecoveryPhrasePasswordRequest": "أَدخِل كلمة المرور من فضلك",
"recoveryPhraseSavePromptMain": "عبارة الاسترجاع هي مفتاح عنوان تعريفك - يمكنك استخدامها لاسترجاع عنوان تعريفك اذا فقدت الوصول لجهازك. قم بحفظها في مكان امن و لا تعطها الى اي أحد.", "recoveryPhraseSavePromptMain": "عبارة الاسترجاع هي مفتاح عنوان تعريفك - يمكنك استخدامها لاسترجاع عنوان تعريفك اذا فقدت الوصول لجهازك. قم بحفظها في مكان امن و لا تعطها الى اي أحد.",
"invalidOpenGroupUrl": "عنوان تعريف خاطئ", "invalidOpenGroupUrl": "عنوان تعريف خاطئ",
"copiedToClipboard": "تم النسخ الى الحافظة المؤقتة", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "كلمة المرور", "password": "كلمة المرور",
"setPassword": "عَيٍن كلمة المرور", "setPassword": "عَيٍن كلمة المرور",
@ -295,12 +299,12 @@
"setPasswordInvalid": "كلمتا المرور لا تتطابقان", "setPasswordInvalid": "كلمتا المرور لا تتطابقان",
"changePasswordInvalid": "كلمة المرور القديمة خاطئة", "changePasswordInvalid": "كلمة المرور القديمة خاطئة",
"removePasswordInvalid": "كلمة المرور خاطئة", "removePasswordInvalid": "كلمة المرور خاطئة",
"setPasswordTitle": "عَيٍن كلمة المرور", "setPasswordTitle": "Password Set",
"changePasswordTitle": "تم تغيير كلمة المرور", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "تم الغاء كلمة المرور", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "تم تعيين كلمة المرور. احفظها في مامن من فضلك.", "setPasswordToastDescription": "تم تعيين كلمة المرور. احفظها في مامن من فضلك.",
"changePasswordToastDescription": "تم تغيير كلمة المرور. احفظها في مامن.", "changePasswordToastDescription": "تم تغيير كلمة المرور. احفظها في مامن.",
"removePasswordToastDescription": "لقد قمت بالغاء كلمة المرور.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "يتم الاتصال...", "connectingToServer": "يتم الاتصال...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "المظهر", "appearanceSettingsTitle": "المظهر",
"privacySettingsTitle": "الخصوصية", "privacySettingsTitle": "الخصوصية",
"notificationsSettingsTitle": "التنبيهات", "notificationsSettingsTitle": "التنبيهات",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "ادخل عبارة الاسترجاع", "recoveryPhraseEmpty": "ادخل عبارة الاسترجاع",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ عضو", "members": "$count$ عضو",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "ادخل إسم مجموعة أقصر من فضلك", "invalidGroupNameTooLong": "ادخل إسم مجموعة أقصر من فضلك",
"pickClosedGroupMember": "اختر عضو واحد على الاقل من فضلك", "pickClosedGroupMember": "اختر عضو واحد على الاقل من فضلك",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "لا يوجد متصلين محظورين", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "أو انضم إلى واحدة من...", "orJoinOneOfThese": "أو انضم إلى واحدة من...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "هل انت متأكد من تنزيل الوسيط المرسل من طرف $name$؟", "trustThisContactDialogDescription": "هل انت متأكد من تنزيل الوسيط المرسل من طرف $name$؟",
"pinConversation": "ثَبِت المحادثة", "pinConversation": "ثَبِت المحادثة",
"unpinConversation": "ألغِي تثبيت المحادثة", "unpinConversation": "ألغِي تثبيت المحادثة",
"markUnread": "Mark Unread",
"showUserDetails": "اظهر تفاصيل المستخدم", "showUserDetails": "اظهر تفاصيل المستخدم",
"sendRecoveryPhraseTitle": "أرسل جملة الاسترجاع", "sendRecoveryPhraseTitle": "أرسل جملة الاسترجاع",
"sendRecoveryPhraseMessage": "انت تحاول ارسال جملة الاسترجاع التي تسمح بالوصول للحساب. متاكد من ارسالها؟", "sendRecoveryPhraseMessage": "انت تحاول ارسال جملة الاسترجاع التي تسمح بالوصول للحساب. متاكد من ارسالها؟",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "هل تريد حذف البيانات فقط من هذا الجهاز؟", "dialogClearAllDataDeletionFailedTitleQuestion": "هل تريد حذف البيانات فقط من هذا الجهاز؟",
"dialogClearAllDataDeletionFailedMultiple": "البيانات لم تحذف من هذه الخوادم: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "البيانات لم تحذف من هذه الخوادم: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "مل انت متاكد من حذف بيانات جهازك فقط؟", "areYouSureDeleteDeviceOnly": "مل انت متاكد من حذف بيانات جهازك فقط؟",
@ -453,7 +464,7 @@
"callMissedCausePermission": "مكالمة لم يتم الرد عليها من '$name$' بسبب عدم تفعيل صلاحيات 'مكالمات الصوت و الفيديو' في تعديلات الخصوصية.", "callMissedCausePermission": "مكالمة لم يتم الرد عليها من '$name$' بسبب عدم تفعيل صلاحيات 'مكالمات الصوت و الفيديو' في تعديلات الخصوصية.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "لقد قمت بالاتصال ب $name$", "startedACall": "لقد قمت بالاتصال ب $name$",
"answeredACall": "اتصال مع $name$", "answeredACall": "اتصال مع $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Loading...", "loading": "Loading...",
@ -72,7 +72,7 @@
"noSearchResults": "No results found for \"$searchTerm$\"", "noSearchResults": "No results found for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Contacts", "contactsHeader": "Contacts",
"messagesHeader": "Messages", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Typing animation for this conversation",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Avatar for contact $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Delete Messages", "deleteMessages": "Delete Messages",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "From:", "from": "From:",
@ -107,29 +108,30 @@
"sent": "Sent", "sent": "Sent",
"received": "Received", "received": "Received",
"sendMessage": "Message", "sendMessage": "Message",
"groupMembers": "Group members", "groupMembers": "Members",
"moreInformation": "More information", "moreInformation": "More information",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "Permanently delete the messages in this conversation?", "deleteConversationConfirmation": "Permanently delete the messages in this conversation?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "quoteThumbnailAlt": "Thumbnail of image from quoted message",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Image sent in conversation", "lightboxImageAlt": "Image sent in conversation",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...", "addACaption": "Add a caption...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Save", "save": "Save",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Name and content", "nameAndMessage": "Name & Content",
"noNameOrMessage": "No name or content", "noNameOrMessage": "No name or content",
"nameOnly": "Name Only", "nameOnly": "Name Only",
"newMessage": "New Message", "newMessage": "New Message",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hours", "timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 day", "timerOption_1_day": "1 day",
"timerOption_1_week": "1 week", "timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Disappearing messages", "disappearingMessages": "Disappearing messages",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear Nickname", "clearNickname": "Clear Nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w", "timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "youDisabledDisappearingMessages": "You disabled disappearing messages.",
"timerSetTo": "Disappearing message time set to $time$", "timerSetTo": "Disappearing message time set to $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start New Conversation", "startConversation": "Start New Conversation",
"invalidNumberError": "Invalid Session ID or ONS Name", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ joined the group.", "multipleJoinedTheGroup": "$name$ joined the group.",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please enter a display name", "displayNameEmpty": "Please enter a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Включване в $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Включване в $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Загрузка...", "loading": "Загрузка...",
@ -72,7 +72,7 @@
"noSearchResults": "Результаты не найдены для \"$searchTerm$\"", "noSearchResults": "Результаты не найдены для \"$searchTerm$\"",
"conversationsHeader": "Контакти и Групи", "conversationsHeader": "Контакти и Групи",
"contactsHeader": "Контакты", "contactsHeader": "Контакты",
"messagesHeader": "Сообщения", "messagesHeader": "Conversations",
"settingsHeader": "Настройки", "settingsHeader": "Настройки",
"typingAlt": "Анимация набора текста для этого разговора", "typingAlt": "Анимация набора текста для этого разговора",
"contactAvatarAlt": "Аватар для контакта $name$", "contactAvatarAlt": "Аватар для контакта $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Изтрийте $count$ съобщения?", "deleteMessagesQuestion": "Изтрийте $count$ съобщения?",
"deleteMessageQuestion": "Изтриване на това съобщение?", "deleteMessageQuestion": "Изтриване на това съобщение?",
"deleteMessages": "Удалить сообщения", "deleteMessages": "Удалить сообщения",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ изтрити", "deleted": "$count$ изтрити",
"messageDeletedPlaceholder": "Това съобщение беше изтрито", "messageDeletedPlaceholder": "Това съобщение беше изтрито",
"from": "От:", "from": "От:",
@ -107,29 +108,30 @@
"sent": "Отправлено", "sent": "Отправлено",
"received": "Получено", "received": "Получено",
"sendMessage": "Отправить сообщение", "sendMessage": "Отправить сообщение",
"groupMembers": "Участники группы", "groupMembers": "Members",
"moreInformation": "Больше информации", "moreInformation": "Больше информации",
"resend": "Отправить ещё раз", "resend": "Отправить ещё раз",
"deleteConversationConfirmation": "Удалить этот разговор без возможности восстановления?", "deleteConversationConfirmation": "Удалить этот разговор без возможности восстановления?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Очистить все данные", "clearAllData": "Очистить все данные",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Вы уверены, что хотите удалить этот разговор?", "deleteContactConfirmation": "Вы уверены, что хотите удалить этот разговор?",
"quoteThumbnailAlt": "Миниатюра изображения из цитируемого сообщения", "quoteThumbnailAlt": "Миниатюра изображения из цитируемого сообщения",
"imageAttachmentAlt": "Изображение, прикрепленное к сообщению", "imageAttachmentAlt": "Изображение, прикрепленное к сообщению",
"videoAttachmentAlt": "Скриншот видео, прикрепленного к сообщению", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Изображение, отправленное в разговоре", "lightboxImageAlt": "Изображение, отправленное в разговоре",
"imageCaptionIconAlt": "Иконка, показывающая, что у этого изображения есть подпись", "imageCaptionIconAlt": "Иконка, показывающая, что у этого изображения есть подпись",
"addACaption": "Добавить субтитры...", "addACaption": "Добавить субтитры...",
"copySessionID": "Копирайте Session ID", "copySessionID": "Копирайте Session ID",
"copyOpenGroupURL": "Копирайте URL адреса на групата", "copyOpenGroupURL": "Copy Group URL",
"save": "Сохранить", "save": "Сохранить",
"saveLogToDesktop": "Запази лога на работния плот", "saveLogToDesktop": "Запази лога на работния плот",
"saved": "Запазено", "saved": "Запазено",
"tookAScreenshot": "$name$ направи екранна снимка", "tookAScreenshot": "$name$ направи екранна снимка",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Отправлять Предпросмотр Ссылки", "linkPreviewsTitle": "Отправлять Предпросмотр Ссылки",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Микрофон", "mediaPermissionsTitle": "Микрофон",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Индикаторы Ввода", "typingIndicatorsSettingTitle": "Индикаторы Ввода",
"zoomFactorSettingTitle": "Масштабирование Приложения", "zoomFactorSettingTitle": "Масштабирование Приложения",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "И имя отправителя, и сообщение", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Ни имени, ни сообщения", "noNameOrMessage": "Ни имени, ни сообщения",
"nameOnly": "Только имя отправителя", "nameOnly": "Только имя отправителя",
"newMessage": "Новое сообщение", "newMessage": "Новое сообщение",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 часов", "timerOption_12_hours": "12 часов",
"timerOption_1_day": "1 день", "timerOption_1_day": "1 день",
"timerOption_1_week": "1 неделя", "timerOption_1_week": "1 неделя",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Исчезающие сообщения", "disappearingMessages": "Исчезающие сообщения",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12ч", "timerOption_12_hours_abbreviated": "12ч",
"timerOption_1_day_abbreviated": "1д", "timerOption_1_day_abbreviated": "1д",
"timerOption_1_week_abbreviated": "1нед.", "timerOption_1_week_abbreviated": "1нед.",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Исчезающие сообщения отключены", "disappearingMessagesDisabled": "Исчезающие сообщения отключены",
"disabledDisappearingMessages": "$name$ отключил(а) исчезающие сообщения.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Вы отключили исчезающие сообщения.", "youDisabledDisappearingMessages": "Вы отключили исчезающие сообщения.",
"timerSetTo": "Время исчезновения сообщений $time$", "timerSetTo": "Время исчезновения сообщений $time$",
"noteToSelf": "Заметка для себя", "noteToSelf": "Заметка для себя",
"hideMenuBarTitle": "Спрятать Системное Меню", "hideMenuBarTitle": "Спрятать Системное Меню",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Начать новый разговор…", "startConversation": "Начать новый разговор…",
"invalidNumberError": "Неверный номер", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Автоматические обновления", "autoUpdateSettingTitle": "Автоматические обновления",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ присоединились к группе.", "multipleJoinedTheGroup": "$name$ присоединились к группе.",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Заблокировать", "block": "Block",
"unblockUser": "Разблокировать", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Обновляем $name$...", "updateGroupDialogTitle": "Обновляем $name$...",
"showRecoveryPhrase": "Секретная фраза", "showRecoveryPhrase": "Секретная фраза",
"yourSessionID": "Ваш Session ID", "yourSessionID": "Ваш Session ID",
"setAccountPasswordTitle": "Установить Пароль", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Изменить Пароль", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Удалить Пароль", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Ваша секретная фраза является главным ключом к вашему Session ID. Вы можете использовать ее для восстановления Session ID, если потеряете доступ к своему устройству. Сохраните свою секретную фразу в безопасном месте, и никому её не передавайте.", "recoveryPhraseSavePromptMain": "Ваша секретная фраза является главным ключом к вашему Session ID. Вы можете использовать ее для восстановления Session ID, если потеряете доступ к своему устройству. Сохраните свою секретную фразу в безопасном месте, и никому её не передавайте.",
"invalidOpenGroupUrl": "Невалиден URL адрес", "invalidOpenGroupUrl": "Невалиден URL адрес",
"copiedToClipboard": "Скопировано в буфер обмена", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Парола", "password": "Парола",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Соединяемся...", "connectingToServer": "Соединяемся...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Внешний вид", "appearanceSettingsTitle": "Внешний вид",
"privacySettingsTitle": "Конфиденциальность", "privacySettingsTitle": "Конфиденциальность",
"notificationsSettingsTitle": "Уведомления", "notificationsSettingsTitle": "Уведомления",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Введите секретную фразу", "recoveryPhraseEmpty": "Введите секретную фразу",
"displayNameEmpty": "Пожалуйста, выберите отображаемое имя", "displayNameEmpty": "Пожалуйста, выберите отображаемое имя",
"displayNameTooLong": "Display name is too long",
"members": "$count$ члена", "members": "$count$ члена",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Пожалуйста, введите более короткое имя группы", "invalidGroupNameTooLong": "Пожалуйста, введите более короткое имя группы",
"pickClosedGroupMember": "Пожалуйста, выберите как минимум 1 участников группы", "pickClosedGroupMember": "Пожалуйста, выберите как минимум 1 участников группы",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Няма блокирани контакти", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Uneix-t'hi $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Uneix-t'hi $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Introdueix Session ID o nom ONS", "enterSessionIDOrONSName": "Introdueix Session ID o nom ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "S'està carregant...", "loading": "S'està carregant...",
@ -72,7 +72,7 @@
"noSearchResults": "No hi ha cap resultat per a \"$searchTerm$\".", "noSearchResults": "No hi ha cap resultat per a \"$searchTerm$\".",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Contactes", "contactsHeader": "Contactes",
"messagesHeader": "Missatges", "messagesHeader": "Conversations",
"settingsHeader": "Configuració", "settingsHeader": "Configuració",
"typingAlt": "Animació d'escriptura per a aquesta conversa", "typingAlt": "Animació d'escriptura per a aquesta conversa",
"contactAvatarAlt": "Avatar per al contacte $name$", "contactAvatarAlt": "Avatar per al contacte $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Suprimeix els missatges", "deleteMessages": "Suprimeix els missatges",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "De", "from": "De",
@ -107,29 +108,30 @@
"sent": "Enviament", "sent": "Enviament",
"received": "Rebut", "received": "Rebut",
"sendMessage": "Envia un missatge", "sendMessage": "Envia un missatge",
"groupMembers": "Membres del grup", "groupMembers": "Members",
"moreInformation": "Més informació", "moreInformation": "Més informació",
"resend": "Reenviar", "resend": "Reenviar",
"deleteConversationConfirmation": "Voleu suprimir aquesta conversa de forma permanent?", "deleteConversationConfirmation": "Voleu suprimir aquesta conversa de forma permanent?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Esborrar totes les dades", "clearAllData": "Esborrar totes les dades",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Estàs segur que vols esborrar aquesta conversa?", "deleteContactConfirmation": "Estàs segur que vols esborrar aquesta conversa?",
"quoteThumbnailAlt": "Miniatura d'una imatge d'un missatge citat", "quoteThumbnailAlt": "Miniatura d'una imatge d'un missatge citat",
"imageAttachmentAlt": "Imatge adjunta al missatge", "imageAttachmentAlt": "Imatge adjunta al missatge",
"videoAttachmentAlt": "Captura de pantalla d'un vídeo adjuntat al missatge", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "S'ha enviat una imatge a la conversa", "lightboxImageAlt": "S'ha enviat una imatge a la conversa",
"imageCaptionIconAlt": "Icona que mostra que aquesta imatge té un títol", "imageCaptionIconAlt": "Icona que mostra que aquesta imatge té un títol",
"addACaption": "Afegiu-hi un títol...", "addACaption": "Afegiu-hi un títol...",
"copySessionID": "Copia l'ID de Session", "copySessionID": "Copia l'ID de Session",
"copyOpenGroupURL": "Copia l'URL del grup", "copyOpenGroupURL": "Copy Group URL",
"save": "Desa", "save": "Desa",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Desat", "saved": "Desat",
"tookAScreenshot": "$name$ ha fet una captura de pantalla", "tookAScreenshot": "$name$ ha fet una captura de pantalla",
"savedTheFile": "Mèdia desada per $name$", "savedTheFile": "Mèdia desada per $name$",
"linkPreviewsTitle": "Envia previsualitzacions d'enllaços", "linkPreviewsTitle": "Envia previsualitzacions d'enllaços",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Indicadors de tecleig", "typingIndicatorsSettingTitle": "Indicadors de tecleig",
"zoomFactorSettingTitle": "Factor de zoom", "zoomFactorSettingTitle": "Factor de zoom",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "El nom de l'emissor i el missatge", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Ni el nom de l'emissor ni el missatge", "noNameOrMessage": "Ni el nom de l'emissor ni el missatge",
"nameOnly": "Només el nom de l'emissor", "nameOnly": "Només el nom de l'emissor",
"newMessage": "Missatge nou", "newMessage": "Missatge nou",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hores", "timerOption_12_hours": "12 hores",
"timerOption_1_day": "1 dia", "timerOption_1_day": "1 dia",
"timerOption_1_week": "1 setmana", "timerOption_1_week": "1 setmana",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Missatges efímers", "disappearingMessages": "Missatges efímers",
"changeNickname": "Canvia sobrenom", "changeNickname": "Canvia sobrenom",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 h", "timerOption_12_hours_abbreviated": "12 h",
"timerOption_1_day_abbreviated": "1 dia", "timerOption_1_day_abbreviated": "1 dia",
"timerOption_1_week_abbreviated": "1 set", "timerOption_1_week_abbreviated": "1 set",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "S'han desactivat els missatges efímers", "disappearingMessagesDisabled": "S'han desactivat els missatges efímers",
"disabledDisappearingMessages": "$name$ ha inhabilitat els missatges efímers.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Heu desactivat els missatges efímers", "youDisabledDisappearingMessages": "Heu desactivat els missatges efímers",
"timerSetTo": "Temporitzador establert a $time$", "timerSetTo": "Temporitzador establert a $time$",
"noteToSelf": "Notifica-m'ho", "noteToSelf": "Notifica-m'ho",
"hideMenuBarTitle": "Amaga la barra de menú", "hideMenuBarTitle": "Amaga la barra de menú",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Comença una conversa nova...", "startConversation": "Comença una conversa nova...",
"invalidNumberError": "El número no és vàlid", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "No s'ha pogut resoldre el nom ONS", "failedResolveOns": "No s'ha pogut resoldre el nom ONS",
"autoUpdateSettingTitle": "Actualització automàtica", "autoUpdateSettingTitle": "Actualització automàtica",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ s'ha unit al grup", "multipleJoinedTheGroup": "$names$ s'ha unit al grup",
"kickedFromTheGroup": "$name$ s'ha suprimit del grup.", "kickedFromTheGroup": "$name$ s'ha suprimit del grup.",
"multipleKickedFromTheGroup": "$name$ s'ha suprimit del grup.", "multipleKickedFromTheGroup": "$name$ s'ha suprimit del grup.",
"blockUser": "Bloca", "block": "Block",
"unblockUser": "Desbloquejar", "unblock": "Unblock",
"unblocked": "Desbloquejat", "unblocked": "Desbloquejat",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Actualitzant $name$...", "updateGroupDialogTitle": "Actualitzant $name$...",
"showRecoveryPhrase": "Frase de recuperació", "showRecoveryPhrase": "Frase de recuperació",
"yourSessionID": "La teva ID de Session", "yourSessionID": "La teva ID de Session",
"setAccountPasswordTitle": "Defineix una contrasenya per al compte", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Canviar contrasenya del compte", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Elimina la contrasenya del compte", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Si us plau, introdueix la teva contrasenya", "enterPassword": "Si us plau, introdueix la teva contrasenya",
"confirmPassword": "Confirma la contrasenya", "confirmPassword": "Confirma la contrasenya",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Si us plau, introdueix la teva contrasenya", "showRecoveryPhrasePasswordRequest": "Si us plau, introdueix la teva contrasenya",
"recoveryPhraseSavePromptMain": "La teva frase de recuperació és la clau principal del teu ID de Session — pots fer-la servir per a restaurar la teva ID de Session si perds l'accés al dispositiu. Emmagatzema la frase de recuperació en un lloc segur i no la donis a ningú.", "recoveryPhraseSavePromptMain": "La teva frase de recuperació és la clau principal del teu ID de Session — pots fer-la servir per a restaurar la teva ID de Session si perds l'accés al dispositiu. Emmagatzema la frase de recuperació en un lloc segur i no la donis a ningú.",
"invalidOpenGroupUrl": "La URL no és vàlida", "invalidOpenGroupUrl": "La URL no és vàlida",
"copiedToClipboard": "Copiat al porta-retalls", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Contrasenya", "password": "Contrasenya",
"setPassword": "Establir contrasenya", "setPassword": "Establir contrasenya",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Les contrassenyes no coincideixen", "setPasswordInvalid": "Les contrassenyes no coincideixen",
"changePasswordInvalid": "La contrasenya antiga que has introduït és incorrecta", "changePasswordInvalid": "La contrasenya antiga que has introduït és incorrecta",
"removePasswordInvalid": "Contrasenya incorrecta", "removePasswordInvalid": "Contrasenya incorrecta",
"setPasswordTitle": "Establir contrasenya", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Canvia la contrasenya", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Contrasenya suprimida", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "La vostra contrasenya s'ha definit. Mantingueu-la segura.", "setPasswordToastDescription": "La vostra contrasenya s'ha definit. Mantingueu-la segura.",
"changePasswordToastDescription": "La vostra contrasenya s'ha definit. Mantingueu-la segura.", "changePasswordToastDescription": "La vostra contrasenya s'ha definit. Mantingueu-la segura.",
"removePasswordToastDescription": "Has eliminat la teva contrasenya.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connectant...", "connectingToServer": "Connectant...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Aparença", "appearanceSettingsTitle": "Aparença",
"privacySettingsTitle": "Privadesa", "privacySettingsTitle": "Privadesa",
"notificationsSettingsTitle": "Notificacions", "notificationsSettingsTitle": "Notificacions",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Introdueix la frase de recuperació", "recoveryPhraseEmpty": "Introdueix la frase de recuperació",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ membres", "members": "$count$ membres",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Introdueix un nom de grup mes curt", "invalidGroupNameTooLong": "Introdueix un nom de grup mes curt",
"pickClosedGroupMember": "Com a mínim, tria 1 membre per al grup, si us plau", "pickClosedGroupMember": "Com a mínim, tria 1 membre per al grup, si us plau",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No hi ha contactes bloquejats", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "O uneix-te a alguns d'aquests...", "orJoinOneOfThese": "O uneix-te a alguns d'aquests...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Přepnout na plnou obrazovku", "viewMenuToggleFullScreen": "Přepnout na plnou obrazovku",
"viewMenuToggleDevTools": "Přepnout na nástroje vývojáře", "viewMenuToggleDevTools": "Přepnout na nástroje vývojáře",
"contextMenuNoSuggestions": "Žádné návrhy", "contextMenuNoSuggestions": "Žádné návrhy",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Pozvánka do komunity",
"joinOpenGroupAfterInvitationConfirmationTitle": "Připojit se k $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Připojit se k $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Jste si jisti, že se chcete připojit ke komunitě $roomName$?",
"couldntFindServerMatching": "Nepodařilo se najít odpovídající opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Zadej Session ID nebo ONS jméno", "enterSessionIDOrONSName": "Zadej Session ID nebo ONS jméno",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Začněte novou konverzaci zadáním Session ID jiného uživatele, a nebo sdílejte své Session ID s ostatními.",
"loading": "Nahrávání...", "loading": "Nahrávání...",
"done": "Dokončeno", "done": "Dokončeno",
"youLeftTheGroup": "Opustil jste skupinu", "youLeftTheGroup": "Opustil jste skupinu",
"youGotKickedFromGroup": "Byly jste odstrňeny ze skupiny.", "youGotKickedFromGroup": "Byli jste odebráni ze skupiny.",
"unreadMessages": "Nepřečtené zprávy", "unreadMessages": "Nepřečtené zprávy",
"debugLogExplanation": "Tento záznam bude uložen na tvou plochu.", "debugLogExplanation": "Tento záznam bude uložen na tvou plochu.",
"reportIssue": "Report a Bug", "reportIssue": "Nahlásit chybu",
"markAllAsRead": "Označit vše jako přečtené", "markAllAsRead": "Označit vše jako přečtené",
"incomingError": "Chyba při zpracování příchozí zprávy", "incomingError": "Chyba při zpracování příchozí zprávy",
"media": "Média", "media": "Média",
@ -55,15 +55,15 @@
"stagedPreviewThumbnail": "Návrh náhledu odkazu pro $domain$", "stagedPreviewThumbnail": "Návrh náhledu odkazu pro $domain$",
"previewThumbnail": "Náhled odkazu pro $domain$", "previewThumbnail": "Náhled odkazu pro $domain$",
"stagedImageAttachment": "Návrh obrázkové přílohy: $path$", "stagedImageAttachment": "Návrh obrázkové přílohy: $path$",
"oneNonImageAtATimeToast": "When including a non-image attachment, the limit is one attachment per message.", "oneNonImageAtATimeToast": "Je nám líto, ale v jedné zprávě lze odeslat pouze jednu přílohu (výjimkou jsou obrázky a fotografie).",
"cannotMixImageAndNonImageAttachments": "You cannot mix non-image and image attachments in one message.", "cannotMixImageAndNonImageAttachments": "You cannot mix non-image and image attachments in one message.",
"maximumAttachments": "You cannot add any more attachments to this message.", "maximumAttachments": "You cannot add any more attachments to this message.",
"fileSizeWarning": "Omlouváme se, vybraný soubor překročil limit velikosti zprávy.", "fileSizeWarning": "Omlouváme se, vybraný soubor překročil limit velikosti zprávy.",
"unableToLoadAttachment": "Nelze načít vybranou přílohu.", "unableToLoadAttachment": "Nelze načít vybranou přílohu.",
"offline": "Offline", "offline": "Offline",
"debugLog": "Ladící log", "debugLog": "Ladící log",
"showDebugLog": "Export Logs", "showDebugLog": "Exportovat logy",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exportujte své logy, a po té, nahrajte soubor přes portál podpory Session.",
"goToReleaseNotes": "Přejít na poznámky k vydání", "goToReleaseNotes": "Přejít na poznámky k vydání",
"goToSupportPage": "Přejít na stránky podpory", "goToSupportPage": "Přejít na stránky podpory",
"about": "Informace", "about": "Informace",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Kontakty a skupiny", "conversationsHeader": "Kontakty a skupiny",
"contactsHeader": "Kontakty", "contactsHeader": "Kontakty",
"messagesHeader": "Zprávy", "messagesHeader": "Conversations",
"settingsHeader": "Nastavení", "settingsHeader": "Nastavení",
"typingAlt": "Animace psaní pro tuto konverzaci", "typingAlt": "Animace psaní pro tuto konverzaci",
"contactAvatarAlt": "Avatar pro kontakt $name$", "contactAvatarAlt": "Avatar pro kontakt $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Smazat $count$ zpráv?", "deleteMessagesQuestion": "Smazat $count$ zpráv?",
"deleteMessageQuestion": "Smazat tuto zprávu?", "deleteMessageQuestion": "Smazat tuto zprávu?",
"deleteMessages": "Smazat zprávy", "deleteMessages": "Smazat zprávy",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ smazáno", "deleted": "$count$ smazáno",
"messageDeletedPlaceholder": "Tato zpráva byla odstraněna", "messageDeletedPlaceholder": "Tato zpráva byla odstraněna",
"from": "Od", "from": "Od",
@ -107,66 +108,67 @@
"sent": "Odeslána", "sent": "Odeslána",
"received": "Přijata", "received": "Přijata",
"sendMessage": "Poslat zprávu", "sendMessage": "Poslat zprávu",
"groupMembers": "Členové skupiny", "groupMembers": "Členové",
"moreInformation": "Více informací", "moreInformation": "Více informací",
"resend": "Odeslat znovu", "resend": "Odeslat znovu",
"deleteConversationConfirmation": "Trvale smazat tuto konverzaci?", "deleteConversationConfirmation": "Trvale smazat tuto konverzaci?",
"clear": "Clear", "clear": "Vyčistit",
"clearAllData": "Smazat všechna data", "clearAllData": "Smazat všechna data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Tímto trvale odstraníte vaše zprávy a kontakty.",
"deleteAccountFromLogin": "Jste si jisti, že chcete vyčistit vaše zařízení?",
"deleteContactConfirmation": "Opravdu chcete smazat tuto konverzaci?", "deleteContactConfirmation": "Opravdu chcete smazat tuto konverzaci?",
"quoteThumbnailAlt": "Náhled obrázku z citované zprávy", "quoteThumbnailAlt": "Náhled obrázku z citované zprávy",
"imageAttachmentAlt": "Obrázek přiložen ke zprávě", "imageAttachmentAlt": "Obrázek přiložen ke zprávě",
"videoAttachmentAlt": "Náhled videa připojen ke zprávě", "videoAttachmentAlt": "Snímek obrazovky videa ve zprávě",
"lightboxImageAlt": "Obrázek odeslán v konverzaci", "lightboxImageAlt": "Obrázek odeslán v konverzaci",
"imageCaptionIconAlt": "Ikona informuje, že tento obrázek obsahuje popisek", "imageCaptionIconAlt": "Ikona informuje, že tento obrázek obsahuje popisek",
"addACaption": "Přidat titulek...", "addACaption": "Přidat titulek...",
"copySessionID": "Kopírovat Session ID", "copySessionID": "Kopírovat Session ID",
"copyOpenGroupURL": "Kopírovat URL skupiny", "copyOpenGroupURL": "Kopírovat adresu skupiny",
"save": "Uložit", "save": "Uložit",
"saveLogToDesktop": "Uložit protokol na plochu", "saveLogToDesktop": "Uložit protokol na plochu",
"saved": "Uloženo", "saved": "Uloženo",
"tookAScreenshot": "$name$ pořídil snímek obrazovky", "tookAScreenshot": "$name$ pořídil snímek obrazovky",
"savedTheFile": "Uživatel $name$ uložil přílohu", "savedTheFile": "Uživatel $name$ uložil přílohu",
"linkPreviewsTitle": "Odesílat náhledy odkazů", "linkPreviewsTitle": "Odesílat náhledy odkazů",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Zobrazit náhledy odkazů pro podporované URL adresy.",
"linkPreviewsConfirmMessage": "Při odesílání náhledů odkazů nebudeš mít plnou ochranu metadat.", "linkPreviewsConfirmMessage": "Při odesílání náhledů odkazů nebudeš mít plnou ochranu metadat.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Povolit přístup k mikrofonu.",
"spellCheckTitle": "Kontrola pravopisu", "spellCheckTitle": "Kontrola pravopisu",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Povolit kontrolu pravopisu při psaní zpráv.",
"spellCheckDirty": "Pro použití nových nastavení musíte restartovat Session", "spellCheckDirty": "Pro použití nových nastavení musíte restartovat Session",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Odeslat potvrzení o přečtení při konverzaci s jedním uživatelem.",
"readReceiptSettingTitle": "Potvrzení o přečtení", "readReceiptSettingTitle": "Potvrzení o přečtení",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Zobrazit a sdílet indikátor psaní v konverzaci s jedním uživatelem.",
"typingIndicatorsSettingTitle": "Indikátory psaní", "typingIndicatorsSettingTitle": "Indikátory psaní",
"zoomFactorSettingTitle": "Měřítko přiblížení (lupa)", "zoomFactorSettingTitle": "Měřítko přiblížení (lupa)",
"themesSettingTitle": "Themes", "themesSettingTitle": "Motivy",
"primaryColor": "Primary Color", "primaryColor": "Výchozí barva",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Výchozí barva zelená",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Výchozí barva modrá",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Výchozí barva žlutá",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Výchozí barva růžová",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Výchozí barva purpurová",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Výchozí barva oranžová",
"primaryColorRed": "Primary color red", "primaryColorRed": "Výchozí barva červená",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klasický Tmavý",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klasický Světlý",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Oceán Tmavá",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Oceán Světlá",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Pročistit komunity",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Z komunit vymazat zprávy starší než 6 měsíců a ponechat maximálně 2000 nejnovějších zpráv v každé komunitě.",
"enable": "Zapnout", "enable": "Zapnout",
"keepDisabled": "Ponechat vypnuté", "keepDisabled": "Ponechat vypnuté",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Informace uvedené v oznámeních.",
"nameAndMessage": "Jméno odesílatele i zprávu", "nameAndMessage": "Jméno a obsah",
"noNameOrMessage": "Ani jméno ani zprávu", "noNameOrMessage": "Ani jméno ani zprávu",
"nameOnly": "Jen jméno odesílatele", "nameOnly": "Jen jméno odesílatele",
"newMessage": "Nová zpráva", "newMessage": "Nová zpráva",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Vytvořit konverzaci s novým kontaktem",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Vytvořit skupinu s existujícími kontakty",
"joinACommunity": "Join a community", "joinACommunity": "Připojit se ke komunitě",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Zvolte akci pro zahájení konverzace",
"newMessages": "Nové zprávy", "newMessages": "Nové zprávy",
"notificationMostRecentFrom": "Most recent from:", "notificationMostRecentFrom": "Most recent from:",
"notificationFrom": "Od:", "notificationFrom": "Od:",
@ -174,7 +176,7 @@
"sendFailed": "Odeslání selhalo", "sendFailed": "Odeslání selhalo",
"mediaMessage": "Multimediální zpráva", "mediaMessage": "Multimediální zpráva",
"messageBodyMissing": "Prosím zadej obsah zprávy.", "messageBodyMissing": "Prosím zadej obsah zprávy.",
"messageBody": "Message body", "messageBody": "Tělo zprávy",
"unblockToSend": "Pro odeslání zprávy tento kontakt odblokujte.", "unblockToSend": "Pro odeslání zprávy tento kontakt odblokujte.",
"unblockGroupToSend": "Odblokujte tuto skupinu pro odeslání zprávy.", "unblockGroupToSend": "Odblokujte tuto skupinu pro odeslání zprávy.",
"youChangedTheTimer": "Nastavili jste časovač pro zmizení zprávy na $time$", "youChangedTheTimer": "Nastavili jste časovač pro zmizení zprávy na $time$",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hodin", "timerOption_12_hours": "12 hodin",
"timerOption_1_day": "1 den", "timerOption_1_day": "1 den",
"timerOption_1_week": "1 týden", "timerOption_1_week": "1 týden",
"timerOption_2_weeks": "2 týdny",
"disappearingMessages": "Mizející zprávy", "disappearingMessages": "Mizející zprávy",
"changeNickname": "Změnit pseudonym", "changeNickname": "Změnit pseudonym",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12 h", "timerOption_12_hours_abbreviated": "12 h",
"timerOption_1_day_abbreviated": "1 d", "timerOption_1_day_abbreviated": "1 d",
"timerOption_1_week_abbreviated": "1 týd.", "timerOption_1_week_abbreviated": "1 týd.",
"timerOption_2_weeks_abbreviated": "2t",
"disappearingMessagesDisabled": "Zmizení zpráv vypnuto", "disappearingMessagesDisabled": "Zmizení zpráv vypnuto",
"disabledDisappearingMessages": "$name$ vypnul zmizení zpráv", "disabledDisappearingMessages": "$name$ vypnul/a mizející zprávy.",
"youDisabledDisappearingMessages": "Vypnul jste zmizení zpráv", "youDisabledDisappearingMessages": "Vypnul jste zmizení zpráv",
"timerSetTo": "Časovač nastaven na $time$", "timerSetTo": "Časovač nastaven na $time$",
"noteToSelf": "Poznámka sobě", "noteToSelf": "Poznámka sobě",
"hideMenuBarTitle": "Skrýt menu", "hideMenuBarTitle": "Skrýt menu",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Přepínač viditelnosti horní lišty s menu této aplikace.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "Neplatné číslo", "invalidNumberError": "Zkontrolujte prosím své Session ID nebo název ONS a zkuste to znovu",
"failedResolveOns": "Nepodařilo se přeložit ONS jméno", "failedResolveOns": "Nepodařilo se přeložit ONS jméno",
"autoUpdateSettingTitle": "Automatické aktualizace", "autoUpdateSettingTitle": "Automatické aktualizace",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automaticky kontrolovat aktualizace při spuštění.",
"autoUpdateNewVersionTitle": "Dostupná aktualizace Session", "autoUpdateNewVersionTitle": "Dostupná aktualizace Session",
"autoUpdateNewVersionMessage": "Je k dispozici nová verze aplikace Session.", "autoUpdateNewVersionMessage": "Je k dispozici nová verze aplikace Session.",
"autoUpdateNewVersionInstructions": "Stiskněte na Restartovat Session pro aplikování změn", "autoUpdateNewVersionInstructions": "Stiskněte na Restartovat Session pro aplikování změn",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$names$ se připojil ke skupině", "multipleJoinedTheGroup": "$names$ se připojil ke skupině",
"kickedFromTheGroup": "Uživatel $name$ byl odstraněn ze skupiny.", "kickedFromTheGroup": "Uživatel $name$ byl odstraněn ze skupiny.",
"multipleKickedFromTheGroup": "Uživatelé $name$ byli odstraněni ze skupiny.", "multipleKickedFromTheGroup": "Uživatelé $name$ byli odstraněni ze skupiny.",
"blockUser": "Zablokovat", "block": "Block",
"unblockUser": "Odblokovat", "unblock": "Unblock",
"unblocked": "Odblokováno", "unblocked": "Odblokováno",
"blocked": "Zablokováno", "blocked": "Zablokováno",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blokované kontakty",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Konverzace",
"unbanUser": "Zrušit vyhození uživatele", "unbanUser": "Zrušit vyhození uživatele",
"userUnbanned": "Vyhození uživatele úspěšně zrušeno", "userUnbanned": "Vyhození uživatele úspěšně zrušeno",
"userUnbanFailed": "Zrušení vyhození selhalo!", "userUnbanFailed": "Zrušení vyhození selhalo!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Vyhození selhalo!", "userBanFailed": "Vyhození selhalo!",
"leaveGroup": "Odejít ze skupiny", "leaveGroup": "Odejít ze skupiny",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Odejít ze skupiny a smazat pro všechny",
"leaveGroupConfirmation": "Určitě chceš odejít z této skupiny?", "leaveGroupConfirmation": "Určitě chceš odejít z této skupiny?",
"leaveGroupConfirmationAdmin": "Jste správcem této skupiny, pokud ji opustíte, bude odstraněna i pro všechny aktuální členy. Opravdu chcete tuto skupinu opustit?", "leaveGroupConfirmationAdmin": "Jste správcem této skupiny, pokud ji opustíte, bude odstraněna i pro všechny aktuální členy. Opravdu chcete tuto skupinu opustit?",
"cannotRemoveCreatorFromGroup": "Tohoto uživatele nelze odstranit", "cannotRemoveCreatorFromGroup": "Tohoto uživatele nelze odstranit",
"cannotRemoveCreatorFromGroupDesc": "Tohoto uživatele nemůžeš odstranit, protože je tvůrcem skupiny.", "cannotRemoveCreatorFromGroupDesc": "Tohoto uživatele nemůžeš odstranit, protože je tvůrcem skupiny.",
"noContactsForGroup": "Zatím nemáš žádné kontakty", "noContactsForGroup": "Zatím nemáš žádné kontakty",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Nepodařilo se přidat uživatele jako správce",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Nepodařilo se odstranit uživatele ze seznamu správců",
"copyMessage": "Kopírovat text zprávy", "copyMessage": "Kopírovat text zprávy",
"selectMessage": "Zvolit zprávu", "selectMessage": "Zvolit zprávu",
"editGroup": "Upravit skupinu", "editGroup": "Upravit skupinu",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "$name$ se aktualizuje...", "updateGroupDialogTitle": "$name$ se aktualizuje...",
"showRecoveryPhrase": "Fráze pro obnovení", "showRecoveryPhrase": "Fráze pro obnovení",
"yourSessionID": "Tvé Session ID", "yourSessionID": "Tvé Session ID",
"setAccountPasswordTitle": "Nastavit heslo účtu", "setAccountPasswordTitle": "Heslo",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Vyžadovat heslo pro odemknutí Session.",
"changeAccountPasswordTitle": "Změnit heslo účtu", "changeAccountPasswordTitle": "Změnit heslo",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Změnit heslo pro odemykání Session.",
"removeAccountPasswordTitle": "Odstranit heslo účtu", "removeAccountPasswordTitle": "Odstranit heslo",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Odebrat heslo pro odemykání Session.",
"enterPassword": "Prosím zadej své heslo", "enterPassword": "Prosím zadej své heslo",
"confirmPassword": "Potvrď své helo", "confirmPassword": "Potvrď své helo",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Prosím, zadejte své nové heslo",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Potvrďte nové heslo",
"showRecoveryPhrasePasswordRequest": "Potvrď své heslo", "showRecoveryPhrasePasswordRequest": "Potvrď své heslo",
"recoveryPhraseSavePromptMain": "Obnovovací fráze je reprezentace privátního klíče k Vašemu Session účtu — pokud ztratíte přístup k Vašemu zařízení, můžete ji použít k obnovení Vašeho Session ID. Uschovejte Vaši obnovovací frázi na bezpečném místě a nikomu ji nesdělujte.", "recoveryPhraseSavePromptMain": "Obnovovací fráze je reprezentace privátního klíče k Vašemu Session účtu — pokud ztratíte přístup k Vašemu zařízení, můžete ji použít k obnovení Vašeho Session ID. Uschovejte Vaši obnovovací frázi na bezpečném místě a nikomu ji nesdělujte.",
"invalidOpenGroupUrl": "Neplatná URL", "invalidOpenGroupUrl": "Neplatná URL",
"copiedToClipboard": "Zkopírováno", "copiedToClipboard": "Zkopírováno",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Zadejte heslo",
"password": "Heslo", "password": "Heslo",
"setPassword": "Nastavit heslo", "setPassword": "Nastavit heslo",
"changePassword": "Změnit heslo", "changePassword": "Změnit heslo",
"createPassword": "Create your password", "createPassword": "Vytvořte si heslo",
"removePassword": "Odstranit heslo", "removePassword": "Odstranit heslo",
"maxPasswordAttempts": "Neplatné heslo. Chceš obnovit databázi?", "maxPasswordAttempts": "Neplatné heslo. Chceš obnovit databázi?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Prosím, zadej své aktuální heslo",
"invalidOldPassword": "Staré heslo je neplatné", "invalidOldPassword": "Staré heslo je neplatné",
"invalidPassword": "Neplatné heslo", "invalidPassword": "Neplatné heslo",
"noGivenPassword": "Prosím zadej své heslo", "noGivenPassword": "Prosím zadej své heslo",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Hesla se nezhodují", "setPasswordInvalid": "Hesla se nezhodují",
"changePasswordInvalid": "Zadané staré heslo není správné", "changePasswordInvalid": "Zadané staré heslo není správné",
"removePasswordInvalid": "Nesprávné heslo", "removePasswordInvalid": "Nesprávné heslo",
"setPasswordTitle": "Heslo nastaveno", "setPasswordTitle": "Nastavení hesla",
"changePasswordTitle": "Heslo změněno", "changePasswordTitle": "Změna hesla",
"removePasswordTitle": "Heslo odstraněno", "removePasswordTitle": "Odstranění hesla",
"setPasswordToastDescription": "Tvé heslo bylo nastaveno. Pečlivě si ho odlož.", "setPasswordToastDescription": "Tvé heslo bylo nastaveno. Pečlivě si ho odlož.",
"changePasswordToastDescription": "Tvé heslo bylo změněno. Pečlivě si ho odlož.", "changePasswordToastDescription": "Tvé heslo bylo změněno. Pečlivě si ho odlož.",
"removePasswordToastDescription": "Tvé heslo bylo ostraněno.", "removePasswordToastDescription": "Vaše heslo bylo odstraněno.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Již jste připojeni k této komunitě",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Nepodařilo se připojit ke komunitě",
"connectingToServer": "Probíhá připojování...", "connectingToServer": "Probíhá připojování...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Úspěšně připojeno ke komunitě",
"setPasswordFail": "Heslo se nepodařilo nastavit", "setPasswordFail": "Heslo se nepodařilo nastavit",
"passwordLengthError": "Heslo musí mít od 6 do 64 znaků", "passwordLengthError": "Heslo musí mít od 6 do 64 znaků",
"passwordTypeError": "Heslo musí obsahovat znaky", "passwordTypeError": "Heslo musí obsahovat znaky",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Profil", "editProfileModalTitle": "Profil",
"groupNamePlaceholder": "Název skupiny", "groupNamePlaceholder": "Název skupiny",
"inviteContacts": "Pozvat kontakty", "inviteContacts": "Pozvat kontakty",
"addModerators": "Add Admins", "addModerators": "Přidat správce",
"removeModerators": "Remove Admins", "removeModerators": "Odebrat správce",
"addAsModerator": "Add as Admin", "addAsModerator": "Přidat jako správce",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Odebrat ze správců",
"add": "Přidat", "add": "Přidat",
"addingContacts": "Přidávání kontaktů do $name$", "addingContacts": "Přidávání kontaktů do $name$",
"noContactsToAdd": "Žádné kontakty k přidání", "noContactsToAdd": "Žádné kontakty k přidání",
"noMembersInThisGroup": "Žádní další členové v této skupine", "noMembersInThisGroup": "Žádní další členové v této skupine",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "žádní správci k odebrání",
"onlyAdminCanRemoveMembers": "Nejsi tvůrce", "onlyAdminCanRemoveMembers": "Nejsi tvůrce",
"onlyAdminCanRemoveMembersDesc": "Jen tvůrce skupiny může ostranit uživatele", "onlyAdminCanRemoveMembersDesc": "Jen tvůrce skupiny může ostranit uživatele",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Zavírat umístěním na lištu", "startInTrayTitle": "Zavírat umístěním na lištu",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Po zavření okna nechat Session běžet na pozadí.",
"yourUniqueSessionID": "Pozdrav se, toto je tvoje Session ID", "yourUniqueSessionID": "Pozdrav se, toto je tvoje Session ID",
"allUsersAreRandomly...": "Tvé Session ID je unikátní adresa, kterou můžou lidé použít, aby tě kontaktovali přes Session. Není nijak spojená s tvou reálnou identitou a tvé Session ID je plně anonymní a soukromé.", "allUsersAreRandomly...": "Tvé Session ID je unikátní adresa, kterou můžou lidé použít, aby tě kontaktovali přes Session. Není nijak spojená s tvou reálnou identitou a tvé Session ID je plně anonymní a soukromé.",
"getStarted": "Začínáme", "getStarted": "Začínáme",
@ -344,40 +348,43 @@
"linkDevice": "Propojit zařížení", "linkDevice": "Propojit zařížení",
"restoreUsingRecoveryPhrase": "Obnov svůj účet", "restoreUsingRecoveryPhrase": "Obnov svůj účet",
"or": "a nebo", "or": "a nebo",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Používáním této služby souhlasíte s <a href=\"https://getsession.org/terms-of-service \">Podmínkami používání</a> a <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Zásadami ochrany osobních údajů</a>",
"beginYourSession": "Začni nový Session.", "beginYourSession": "Začni nový Session.",
"welcomeToYourSession": "Vitej, toto je tvůj Session", "welcomeToYourSession": "Vitej, toto je tvůj Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Hledat konverzace a kontakty",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Hledat kontakty",
"enterSessionID": "Zadej Session ID", "enterSessionID": "Zadej Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Zadejte Session ID nebo ONS cizího kontaktu",
"message": "Zpráva", "message": "Zpráva",
"appearanceSettingsTitle": "Vzhled", "appearanceSettingsTitle": "Vzhled",
"privacySettingsTitle": "Soukromí", "privacySettingsTitle": "Soukromí",
"notificationsSettingsTitle": "Upozornění", "notificationsSettingsTitle": "Upozornění",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Obsah oznámení",
"notificationPreview": "Náhled",
"recoveryPhraseEmpty": "Zadej svou frázi pro obnovení", "recoveryPhraseEmpty": "Zadej svou frázi pro obnovení",
"displayNameEmpty": "Prosím zadejte pseudonym", "displayNameEmpty": "Prosím zadejte pseudonym",
"displayNameTooLong": "Display name is too long",
"members": "$count$ členů", "members": "$count$ členů",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Připojit se",
"createGroup": "Create Group", "joinOpenGroup": "Připojit se ke komunitě",
"create": "Create", "createGroup": "Vytvořit skupinu",
"create": "Vytvořit",
"createClosedGroupNamePrompt": "Název skupiny", "createClosedGroupNamePrompt": "Název skupiny",
"createClosedGroupPlaceholder": "Zadej název skupiny", "createClosedGroupPlaceholder": "Zadej název skupiny",
"openGroupURL": "Community URL", "openGroupURL": "Adresa komunity",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Zadejte adresu komunity",
"next": "Další", "next": "Další",
"invalidGroupNameTooShort": "Prosím zadej název skupiny", "invalidGroupNameTooShort": "Prosím zadej název skupiny",
"invalidGroupNameTooLong": "Prosím zadej kratší název skupiny", "invalidGroupNameTooLong": "Prosím zadej kratší název skupiny",
"pickClosedGroupMember": "Prosím vyber alespoň 1 člena skupiny", "pickClosedGroupMember": "Prosím vyber alespoň 1 člena skupiny",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Uzavřená skupina nemůže mít více než 100 členů",
"noBlockedContacts": "Žádné blokované kontakty", "noBlockedContacts": "Nemáte žádné blokované kontakty.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Uživatel přidán do seznamu správců",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Uživatel byl odebrán ze seznamu správců",
"orJoinOneOfThese": "Nebo se přidej do jedné z těchto...", "orJoinOneOfThese": "Nebo se přidej do jedné z těchto...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Přeložit Session",
"closedGroupInviteFailTitle": "Pozvánka do skupiny selhala", "closedGroupInviteFailTitle": "Pozvánka do skupiny selhala",
"closedGroupInviteFailTitlePlural": "Pozvánky od skupiny selhaly", "closedGroupInviteFailTitlePlural": "Pozvánky od skupiny selhaly",
"closedGroupInviteFailMessage": "Nepodařilo se úspěšně pozvat člena skupiny", "closedGroupInviteFailMessage": "Nepodařilo se úspěšně pozvat člena skupiny",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Opakovat odeslání pozvánek", "closedGroupInviteOkText": "Opakovat odeslání pozvánek",
"closedGroupInviteSuccessTitlePlural": "Pozvánky do skupiny odeslány", "closedGroupInviteSuccessTitlePlural": "Pozvánky do skupiny odeslány",
"closedGroupInviteSuccessTitle": "Pozvánka do skupiny odeslána", "closedGroupInviteSuccessTitle": "Pozvánka do skupiny odeslána",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Členové skupiny byli úspěšně pozváni",
"notificationForConvo": "Upozornění", "notificationForConvo": "Upozornění",
"notificationForConvo_all": "Vše", "notificationForConvo_all": "Vše",
"notificationForConvo_disabled": "Vypnuto", "notificationForConvo_disabled": "Vypnuto",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Otevřít tento odkaz ve svém prohlížeči?", "linkVisitWarningTitle": "Otevřít tento odkaz ve svém prohlížeči?",
"linkVisitWarningMessage": "Určitě chceš otevřít stránku $url$ ve svém prohlížeči?", "linkVisitWarningMessage": "Určitě chceš otevřít stránku $url$ ve svém prohlížeči?",
"open": "Otevřít", "open": "Otevřít",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Automaticky přehrát zvukové zprávy",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Automaticky přehrát po sobě následující zvukové zprávy.",
"clickToTrustContact": "Klikni pro stáhnutí obsahu", "clickToTrustContact": "Klikni pro stáhnutí obsahu",
"trustThisContactDialogTitle": "Důvěřuješ $name$?", "trustThisContactDialogTitle": "Důvěřuješ $name$?",
"trustThisContactDialogDescription": "Určitě chceš stáhnout obsah odeslán uživatelem $name$?", "trustThisContactDialogDescription": "Určitě chceš stáhnout obsah odeslán uživatelem $name$?",
"pinConversation": "Připnout konverzaci", "pinConversation": "Připnout konverzaci",
"unpinConversation": "Odepnout konverzaci", "unpinConversation": "Odepnout konverzaci",
"markUnread": "Mark Unread",
"showUserDetails": "Zobrazit podrobnosti uživatele", "showUserDetails": "Zobrazit podrobnosti uživatele",
"sendRecoveryPhraseTitle": "Odesílání fráze pro obnovení", "sendRecoveryPhraseTitle": "Odesílání fráze pro obnovení",
"sendRecoveryPhraseMessage": "Pokoušíš se odeslat svou frázu pro obnovení, díky které se lze přihlásit do tvého účtu. Opravdu chceš tuto zprávu odeslat?", "sendRecoveryPhraseMessage": "Pokoušíš se odeslat svou frázu pro obnovení, díky které se lze přihlásit do tvého účtu. Opravdu chceš tuto zprávu odeslat?",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "Data nebyla vymazána z důvodu neznámé chyby. Přejete si odstranit data alespoň z tohoto zařízení?", "dialogClearAllDataDeletionFailedDesc": "Data nebyla vymazána z důvodu neznámé chyby. Přejete si odstranit data alespoň z tohoto zařízení?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Chcete odstranit data pouze z tohoto zařízení?", "dialogClearAllDataDeletionFailedTitleQuestion": "Chcete odstranit data pouze z tohoto zařízení?",
"dialogClearAllDataDeletionFailedMultiple": "Data nebyla odstraněna těmito provozními uzly: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data nebyla odstraněna těmito provozními uzly: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Chcete smazat data pouze na tomto zařízení, nebo vaše data i ze sítě?",
"deviceOnly": "Clear Device Only", "clearDevice": "Vyčistit zařízení",
"entireAccount": "Clear Device and Network", "tryAgain": "Zkuste to znovu",
"areYouSureClearDevice": "Jste si jisti, že chcete vyčistit vaše zařízení?",
"deviceOnly": "Vymazat pouze data na zařízení",
"entireAccount": "Vymazat data na zařízení i na síti",
"areYouSureDeleteDeviceOnly": "Opravdu chceš vymazat jen údaje ze svého zařízení?", "areYouSureDeleteDeviceOnly": "Opravdu chceš vymazat jen údaje ze svého zařízení?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Jste si jisti, že chcete odstranit svá data ze sítě? Pokud budete pokračovat, nebudete moci obnovit své zprávy nebo kontakty.",
"iAmSure": "Ano, opravdu", "iAmSure": "Ano, opravdu",
"recoveryPhraseSecureTitle": "Jsi téměr u konce!", "recoveryPhraseSecureTitle": "Jsi téměr u konce!",
"recoveryPhraseRevealMessage": "Zabezpeč svůj účet uložením své fráze pro obnovení. Odhal svou frázi pro obnovení a pak si ji pečlivě odlož.", "recoveryPhraseRevealMessage": "Zabezpeč svůj účet uložením své fráze pro obnovení. Odhal svou frázi pro obnovení a pak si ji pečlivě odlož.",
"recoveryPhraseRevealButtonText": "Zobrazit frázi pro obnovení", "recoveryPhraseRevealButtonText": "Zobrazit frázi pro obnovení",
"notificationSubtitle": "Upozornění - $setting$", "notificationSubtitle": "Upozornění - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Chtěli bychom znát váš názor",
"faq": "FAQ", "faq": "Časté dotazy",
"support": "Support", "support": "Podpora",
"clearAll": "Smazat vše", "clearAll": "Smazat vše",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Vymazat data",
"messageRequests": "Žádosti o chat", "messageRequests": "Žádosti o chat",
"requestsSubtitle": "Čekající žádosti", "requestsSubtitle": "Čekající žádosti",
"requestsPlaceholder": "Žádné žádosti", "requestsPlaceholder": "Žádné žádosti",
@ -438,8 +449,8 @@
"accept": "Přijmout", "accept": "Přijmout",
"decline": "Odmítnout", "decline": "Odmítnout",
"endCall": "Ukončit hovor", "endCall": "Ukončit hovor",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Oprávnění",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Nápověda",
"cameraPermissionNeededTitle": "Vyžadována oprávnění k hlasovému hovoru/videohovoru", "cameraPermissionNeededTitle": "Vyžadována oprávnění k hlasovému hovoru/videohovoru",
"cameraPermissionNeeded": "Oprávnění pro hlasové a video hovory můžeš povolit v Nastavení soukromí.", "cameraPermissionNeeded": "Oprávnění pro hlasové a video hovory můžeš povolit v Nastavení soukromí.",
"unableToCall": "Nejprve ukončete probíhající hovor", "unableToCall": "Nejprve ukončete probíhající hovor",
@ -449,12 +460,12 @@
"noCameraFound": "Nebyla nalezena žádná kamera", "noCameraFound": "Nebyla nalezena žádná kamera",
"noAudioInputFound": "Nenalezeny žádné zvukové vstupy", "noAudioInputFound": "Nenalezeny žádné zvukové vstupy",
"noAudioOutputFound": "Nenalezeny žádné zvukové výstupy", "noAudioOutputFound": "Nenalezeny žádné zvukové výstupy",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Hlasové a video hovory (Beta)",
"callMissedCausePermission": "Zmeškali jste hovor od '$name$', protože nemáte povoleny Hlasové a video hovory v Nastavení soukromí.", "callMissedCausePermission": "Zmeškali jste hovor od '$name$', protože nemáte povoleny Hlasové a video hovory v Nastavení soukromí.",
"callMissedNotApproved": "Zmeškali jste hovor od '$name$', protože jste ještě neschválili tuto konverzaci. Nejprve si pošlete textovou zprávu.", "callMissedNotApproved": "Zmeškali jste hovor od '$name$', protože jste ještě neschválili tuto konverzaci. Nejprve si pošlete textovou zprávu.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Zapne hlasové a video hovory k ostatním uživatelům i od nich.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Vaše IP adresa je při používání beta hovorů viditelná pro toho s kým si voláte i pro Oxen Foundation server. Jste si jisti, že chcete povolit hlasové a video hovory?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Hlasové a video hovory (Beta)",
"startedACall": "Zavolal(a) jsi $name$", "startedACall": "Zavolal(a) jsi $name$",
"answeredACall": "Hovor s $name$", "answeredACall": "Hovor s $name$",
"trimDatabase": "Vyčistit Databázi", "trimDatabase": "Vyčistit Databázi",
@ -468,25 +479,30 @@
"declineRequestMessage": "Jste si jisti, že chcete odmítnout tuto žádost o zprávu?", "declineRequestMessage": "Jste si jisti, že chcete odmítnout tuto žádost o zprávu?",
"respondingToRequestWarning": "Odesláním zprávy tomuto uživateli automaticky přijmete jejich požadavek na zprávu a odhalíte jim své Session ID.", "respondingToRequestWarning": "Odesláním zprávy tomuto uživateli automaticky přijmete jejich požadavek na zprávu a odhalíte jim své Session ID.",
"hideRequestBanner": "Skrýt banner žádosti o zprávu", "hideRequestBanner": "Skrýt banner žádosti o zprávu",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Žádosti o zprávy",
"noMessageRequestsPending": "Žádné nevyřízené žádosti o zprávu", "noMessageRequestsPending": "Žádné nevyřízené žádosti o zprávu",
"noMediaUntilApproved": "Nemůžete odeslat přílohy, dokud nebude konverzace schválena", "noMediaUntilApproved": "Nemůžete odeslat přílohy, dokud nebude konverzace schválena",
"mustBeApproved": "Tato konverzace musí být přijata pro použití této funkce", "mustBeApproved": "Tato konverzace musí být přijata pro použití této funkce",
"youHaveANewFriendRequest": "Máte novou žádost o přátelství", "youHaveANewFriendRequest": "Máte novou žádost o přátelství",
"clearAllConfirmationTitle": "Vymazat všechny žádosti o zprávy", "clearAllConfirmationTitle": "Vymazat všechny žádosti o zprávy",
"clearAllConfirmationBody": "Jste si jisti, že chcete vymazat všechny žádosti o zprávy?", "clearAllConfirmationBody": "Jste si jisti, že chcete vymazat všechny žádosti o zprávy?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Skrýt", "hideBanner": "Skrýt",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Zobrazit příchozí žádosti o zprávu", "openMessageRequestInboxDescription": "Zobrazit příchozí žádosti o zprávu",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Jste si jisti, že chcete vymazat všechny $emoji$?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Zobrazit méně",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reaguje na zprávu $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Zpomalte! Poslali jste příliš mnoho emoji reakcí. Zkuste to za chvilku",
"otherPlural": "$number$ others", "otherSingular": "$number$ další",
"reactionPopup": "reacted with", "otherPlural": "$number$ dalších",
"reactionPopup": "reagovali",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "A $otherSingular$ reagoval na tuto zprávu <span>$emoji$</span>",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "A $otherPlural$ reagovali na tuto zprávu <span>$emoji$</span>"
} }

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Deltag i $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Deltag i $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Kunne ikke finde den tilsvarende offentlige-server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Indtast Sessions-id eller ONS-navn", "enterSessionIDOrONSName": "Indtast Sessions-id eller ONS-navn",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Indlæser...", "loading": "Indlæser...",
@ -72,7 +72,7 @@
"noSearchResults": "Ingen resultater for \"$searchTerm$\"", "noSearchResults": "Ingen resultater for \"$searchTerm$\"",
"conversationsHeader": "Kontakter og grupper", "conversationsHeader": "Kontakter og grupper",
"contactsHeader": "Kontakter", "contactsHeader": "Kontakter",
"messagesHeader": "Beskeder", "messagesHeader": "Conversations",
"settingsHeader": "Indstillinger", "settingsHeader": "Indstillinger",
"typingAlt": "Skrive animation for denne samtale", "typingAlt": "Skrive animation for denne samtale",
"contactAvatarAlt": "Avatar for kontakt $name$", "contactAvatarAlt": "Avatar for kontakt $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Slet $count$ beskeder?", "deleteMessagesQuestion": "Slet $count$ beskeder?",
"deleteMessageQuestion": "Slet denne besked?", "deleteMessageQuestion": "Slet denne besked?",
"deleteMessages": "Slet beskeder", "deleteMessages": "Slet beskeder",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ slettet", "deleted": "$count$ slettet",
"messageDeletedPlaceholder": "Denne besked er slettet", "messageDeletedPlaceholder": "Denne besked er slettet",
"from": "Fra", "from": "Fra",
@ -107,29 +108,30 @@
"sent": "Sendt", "sent": "Sendt",
"received": "Modtaget", "received": "Modtaget",
"sendMessage": "Send en besked", "sendMessage": "Send en besked",
"groupMembers": "Gruppemedlemmer", "groupMembers": "Members",
"moreInformation": "Mere information", "moreInformation": "Mere information",
"resend": "Send igen", "resend": "Send igen",
"deleteConversationConfirmation": "Slet samtale permanent?", "deleteConversationConfirmation": "Slet samtale permanent?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Slet alle data", "clearAllData": "Slet alle data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Er du sikker på, at du vil slette denne samtale?", "deleteContactConfirmation": "Er du sikker på, at du vil slette denne samtale?",
"quoteThumbnailAlt": "Miniatur af billede fra citeret besked", "quoteThumbnailAlt": "Miniatur af billede fra citeret besked",
"imageAttachmentAlt": "Billede vedhæftet til beskeden", "imageAttachmentAlt": "Billede vedhæftet til beskeden",
"videoAttachmentAlt": "Skærmbillede af video knyttet til beskeden", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Billede sendt i samtale", "lightboxImageAlt": "Billede sendt i samtale",
"imageCaptionIconAlt": "Ikon, der viser, at dette billede har en billedtekst", "imageCaptionIconAlt": "Ikon, der viser, at dette billede har en billedtekst",
"addACaption": "Tilføj en billedtekst...", "addACaption": "Tilføj en billedtekst...",
"copySessionID": "Kopier Session ID", "copySessionID": "Kopier Session ID",
"copyOpenGroupURL": "Kopier Gruppe URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Gem", "save": "Gem",
"saveLogToDesktop": "Gemt til desktop", "saveLogToDesktop": "Gemt til desktop",
"saved": "Gemt", "saved": "Gemt",
"tookAScreenshot": "$name$ kopierede skærmbillede", "tookAScreenshot": "$name$ kopierede skærmbillede",
"savedTheFile": "Medie gemt af $name$", "savedTheFile": "Medie gemt af $name$",
"linkPreviewsTitle": "Send Link Preview", "linkPreviewsTitle": "Send Link Preview",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "Du har ikke fuld beskyttelse af metadata når du sender link previews.", "linkPreviewsConfirmMessage": "Du har ikke fuld beskyttelse af metadata når du sender link previews.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Skrive indikator", "typingIndicatorsSettingTitle": "Skrive indikator",
"zoomFactorSettingTitle": "Zoomfaktor", "zoomFactorSettingTitle": "Zoomfaktor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Aktivér", "enable": "Aktivér",
"keepDisabled": "Forbliv deaktiveret", "keepDisabled": "Forbliv deaktiveret",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Både navn og besked", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Hverken navn eller besked", "noNameOrMessage": "Hverken navn eller besked",
"nameOnly": "Kun navn", "nameOnly": "Kun navn",
"newMessage": "Ny besked", "newMessage": "Ny besked",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 timer", "timerOption_12_hours": "12 timer",
"timerOption_1_day": "1 dag", "timerOption_1_day": "1 dag",
"timerOption_1_week": "1 uge", "timerOption_1_week": "1 uge",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Beskeder der forsvinder", "disappearingMessages": "Beskeder der forsvinder",
"changeNickname": "Ændre dit brugernavn", "changeNickname": "Ændre dit brugernavn",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12t", "timerOption_12_hours_abbreviated": "12t",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1u", "timerOption_1_week_abbreviated": "1u",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Forsvindende beskeder slået fra", "disappearingMessagesDisabled": "Forsvindende beskeder slået fra",
"disabledDisappearingMessages": "$name$ slog forsvindende beskeder fra", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Du slog forsvindende beskeder fra", "youDisabledDisappearingMessages": "Du slog forsvindende beskeder fra",
"timerSetTo": "Timer sat til $time$", "timerSetTo": "Timer sat til $time$",
"noteToSelf": "Note til dig selv", "noteToSelf": "Note til dig selv",
"hideMenuBarTitle": "Skjul Menulinje", "hideMenuBarTitle": "Skjul Menulinje",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start ny samtale...", "startConversation": "Start ny samtale...",
"invalidNumberError": "Ugyldigt nummer", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Kunne ikke finde ONS navn", "failedResolveOns": "Kunne ikke finde ONS navn",
"autoUpdateSettingTitle": "Auto Opdatér", "autoUpdateSettingTitle": "Auto Opdatér",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ tilsluttede sig gruppen", "multipleJoinedTheGroup": "$names$ tilsluttede sig gruppen",
"kickedFromTheGroup": "$name$ blev fjernet fra gruppen.", "kickedFromTheGroup": "$name$ blev fjernet fra gruppen.",
"multipleKickedFromTheGroup": "$name$ er blevet fjernet fra gruppen.", "multipleKickedFromTheGroup": "$name$ er blevet fjernet fra gruppen.",
"blockUser": "Blokér", "block": "Block",
"unblockUser": "Fjern blokering", "unblock": "Unblock",
"unblocked": "Afblokeret", "unblocked": "Afblokeret",
"blocked": "Blokeret", "blocked": "Blokeret",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Opdaterer $name$...", "updateGroupDialogTitle": "Opdaterer $name$...",
"showRecoveryPhrase": "Gendannelsesssætning", "showRecoveryPhrase": "Gendannelsesssætning",
"yourSessionID": "Din Session ID", "yourSessionID": "Din Session ID",
"setAccountPasswordTitle": "Opret Kontor kodeord", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Skift kontoadgangskode", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Fjern konto kodeord", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Indtast venligst din adgangskode", "enterPassword": "Indtast venligst din adgangskode",
"confirmPassword": "Bekræft kodeord", "confirmPassword": "Bekræft kodeord",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Indtast dit kodeord", "showRecoveryPhrasePasswordRequest": "Indtast dit kodeord",
"recoveryPhraseSavePromptMain": "Din gendannelsesfrase er hovednøglen til dit Session ID - du kan bruge den til at gendanne dit Session ID, hvis du mister adgangen til din enhed. Opbevar din gendannelsesfrase et sikkert sted, og giv den ikke til nogen.", "recoveryPhraseSavePromptMain": "Din gendannelsesfrase er hovednøglen til dit Session ID - du kan bruge den til at gendanne dit Session ID, hvis du mister adgangen til din enhed. Opbevar din gendannelsesfrase et sikkert sted, og giv den ikke til nogen.",
"invalidOpenGroupUrl": "Ugyldig URL", "invalidOpenGroupUrl": "Ugyldig URL",
"copiedToClipboard": "Kopieret til udklipsholderen", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Adgangskode", "password": "Adgangskode",
"setPassword": "Indstil adgangskode", "setPassword": "Indstil adgangskode",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Adgangskoder matcher ikke", "setPasswordInvalid": "Adgangskoder matcher ikke",
"changePasswordInvalid": "Den gamle adgangskode du indtastede var ugyldig", "changePasswordInvalid": "Den gamle adgangskode du indtastede var ugyldig",
"removePasswordInvalid": "Forkert adgangskode", "removePasswordInvalid": "Forkert adgangskode",
"setPasswordTitle": "Indstil adgangskode", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Ændret adgangskode", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Fjernet adgangskoden", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Din adgangskode er blevet indstillet. Venligst hold den sikker.", "setPasswordToastDescription": "Din adgangskode er blevet indstillet. Venligst hold den sikker.",
"changePasswordToastDescription": "Din adgangskode er blevet ændret. Venligst hold den sikker.", "changePasswordToastDescription": "Din adgangskode er blevet ændret. Venligst hold den sikker.",
"removePasswordToastDescription": "Du har fjernet din adgangskode.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Forbinder...", "connectingToServer": "Forbinder...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Udseende", "appearanceSettingsTitle": "Udseende",
"privacySettingsTitle": "Privatliv", "privacySettingsTitle": "Privatliv",
"notificationsSettingsTitle": "Notifikationer", "notificationsSettingsTitle": "Notifikationer",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Angiv din hemmelige gendannelsessætning", "recoveryPhraseEmpty": "Angiv din hemmelige gendannelsessætning",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ medlemmer", "members": "$count$ medlemmer",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Indtast venligst et kortere gruppenavn", "invalidGroupNameTooLong": "Indtast venligst et kortere gruppenavn",
"pickClosedGroupMember": "Vælg venligst mindst 1 gruppemedlem", "pickClosedGroupMember": "Vælg venligst mindst 1 gruppemedlem",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Ingen blokerede kontakter", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Eller deltag i en af disse...", "orJoinOneOfThese": "Eller deltag i en af disse...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Er du sikker på du vil downloade medier sendt af $name$?", "trustThisContactDialogDescription": "Er du sikker på du vil downloade medier sendt af $name$?",
"pinConversation": "Fastgør samtale", "pinConversation": "Fastgør samtale",
"unpinConversation": "Frigør samtale", "unpinConversation": "Frigør samtale",
"markUnread": "Mark Unread",
"showUserDetails": "Vis bruger detaljer", "showUserDetails": "Vis bruger detaljer",
"sendRecoveryPhraseTitle": "Sender Gendannelsessætning", "sendRecoveryPhraseTitle": "Sender Gendannelsessætning",
"sendRecoveryPhraseMessage": "Du forsøger at sende din gendannelsessætning, som kan bruges til at få adgang til din konto. Er du sikker på, at du vil sende denne besked?", "sendRecoveryPhraseMessage": "Du forsøger at sende din gendannelsessætning, som kan bruges til at få adgang til din konto. Er du sikker på, at du vil sende denne besked?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Vil du slette data fra denne enhed?", "dialogClearAllDataDeletionFailedTitleQuestion": "Vil du slette data fra denne enhed?",
"dialogClearAllDataDeletionFailedMultiple": "Data ikke slettet af disse Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data ikke slettet af disse Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Er du sikker på, at du kun vil slette dine enhedsdata?", "areYouSureDeleteDeviceOnly": "Er du sikker på, at du kun vil slette dine enhedsdata?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Du ringede til $name$", "startedACall": "Du ringede til $name$",
"answeredACall": "Opkald med $name$", "answeredACall": "Opkald med $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Vollbild an/aus", "viewMenuToggleFullScreen": "Vollbild an/aus",
"viewMenuToggleDevTools": "Entwicklerwerkzeuge an/aus", "viewMenuToggleDevTools": "Entwicklerwerkzeuge an/aus",
"contextMenuNoSuggestions": "Keine Vorschläge", "contextMenuNoSuggestions": "Keine Vorschläge",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community-Einladung",
"joinOpenGroupAfterInvitationConfirmationTitle": "Trete $roomName$ bei?", "joinOpenGroupAfterInvitationConfirmationTitle": "Trete $roomName$ bei?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Bist du sicher, dass du der Community $roomName$ beitreten möchtest?",
"couldntFindServerMatching": "Konnte den zugehörigen Opengroup-Server nicht finden", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Session-ID oder ONS-Name eingeben", "enterSessionIDOrONSName": "Session-ID oder ONS-Name eingeben",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Beginne eine neue Unterhaltung, indem du die Session ID einer Person eingibst, oder deine Session ID mit dieser Person teilst.",
"loading": "Wird geladen …", "loading": "Wird geladen …",
"done": "Abgeschlossen", "done": "Abgeschlossen",
"youLeftTheGroup": "Du hast die Gruppe verlassen", "youLeftTheGroup": "Du hast die Gruppe verlassen",
"youGotKickedFromGroup": "Du wurdest aus der Gruppe entfernt.", "youGotKickedFromGroup": "Du wurdest aus der Gruppe entfernt.",
"unreadMessages": "Ungelesene Nachrichten", "unreadMessages": "Ungelesene Nachrichten",
"debugLogExplanation": "Dieser Log wird auf Ihrem Desktop gespeichert.", "debugLogExplanation": "Dieser Log wird auf deinem Desktop gespeichert.",
"reportIssue": "Report a Bug", "reportIssue": "Fehler melden",
"markAllAsRead": "Alle als gelesen markieren", "markAllAsRead": "Alle als gelesen markieren",
"incomingError": "Fehler bei eingehender Nachricht", "incomingError": "Fehler bei eingehender Nachricht",
"media": "Medieninhalte", "media": "Medieninhalte",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Leider ist ein Fehler beim Hinzufügen des Anhangs aufgetreten.", "unableToLoadAttachment": "Leider ist ein Fehler beim Hinzufügen des Anhangs aufgetreten.",
"offline": "Keine Netzverbindung", "offline": "Keine Netzverbindung",
"debugLog": "Diagnoseprotokoll", "debugLog": "Diagnoseprotokoll",
"showDebugLog": "Export Logs", "showDebugLog": "Protokolle exportieren",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exportiere deine Fehlerprotokolle und lade die Datei über Session's Service-Center hoch.",
"goToReleaseNotes": "Versionshinweise", "goToReleaseNotes": "Versionshinweise",
"goToSupportPage": "Support", "goToSupportPage": "Support",
"about": "Über", "about": "Über",
@ -72,7 +72,7 @@
"noSearchResults": "Keine Ergebnisse für »%s« gefunden", "noSearchResults": "Keine Ergebnisse für »%s« gefunden",
"conversationsHeader": "Kontakte und Gruppen", "conversationsHeader": "Kontakte und Gruppen",
"contactsHeader": "Kontakte", "contactsHeader": "Kontakte",
"messagesHeader": "Nachrichten", "messagesHeader": "Conversations",
"settingsHeader": "Einstellungen", "settingsHeader": "Einstellungen",
"typingAlt": "Tipp-Animation für diese Unterhaltung", "typingAlt": "Tipp-Animation für diese Unterhaltung",
"contactAvatarAlt": "Kontaktavatar für $name$", "contactAvatarAlt": "Kontaktavatar für $name$",
@ -96,77 +96,79 @@
"delete": "Löschen", "delete": "Löschen",
"messageDeletionForbidden": "Ihnen fehlt die Berechtigung, Nachrichten anderer Teilnehmer zu löschen", "messageDeletionForbidden": "Ihnen fehlt die Berechtigung, Nachrichten anderer Teilnehmer zu löschen",
"deleteJustForMe": "Nur für mich löschen", "deleteJustForMe": "Nur für mich löschen",
"deleteForEveryone": "Für jeden löschen", "deleteForEveryone": "Für alle löschen",
"deleteMessagesQuestion": "$count$ Nachricht(en) löschen?", "deleteMessagesQuestion": "$count$ Nachricht(en) löschen?",
"deleteMessageQuestion": "Diese Nachricht löschen?", "deleteMessageQuestion": "Diese Nachricht löschen?",
"deleteMessages": "Alle Nachrichten löschen", "deleteMessages": "Alle Nachrichten löschen",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ gelöscht", "deleted": "$count$ gelöscht",
"messageDeletedPlaceholder": "Die Nachricht wurde gelöscht", "messageDeletedPlaceholder": "Diese Nachricht wurde gelöscht",
"from": "Von:", "from": "Von:",
"to": "An:", "to": "An:",
"sent": "Gesendet", "sent": "Gesendet",
"received": "Empfangen", "received": "Empfangen",
"sendMessage": "Eine Nachricht senden", "sendMessage": "Eine Nachricht senden",
"groupMembers": "Gruppenmitglieder", "groupMembers": "Mitglieder",
"moreInformation": "Mehr Informationen", "moreInformation": "Mehr Informationen",
"resend": "Erneut Senden", "resend": "Erneut Senden",
"deleteConversationConfirmation": "Soll diese Unterhaltung unwiderruflich gelöscht werden?", "deleteConversationConfirmation": "Soll diese Unterhaltung unwiderruflich gelöscht werden?",
"clear": "Clear", "clear": "Gerät zurücksetzen",
"clearAllData": "Alle Daten löschen", "clearAllData": "Alle Daten löschen",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Dies wird Deine Nachrichten und Kontakte dauerhaft löschen.",
"deleteAccountFromLogin": "Bist du sicher, dass du dein Gerät zurücksetzen willst?",
"deleteContactConfirmation": "Möchten Sie diese Unterhaltung wirklich löschen?", "deleteContactConfirmation": "Möchten Sie diese Unterhaltung wirklich löschen?",
"quoteThumbnailAlt": "Miniaturbild aus zitierter Nachricht", "quoteThumbnailAlt": "Miniaturbild aus zitierter Nachricht",
"imageAttachmentAlt": "Bildanhang", "imageAttachmentAlt": "Bildanhang",
"videoAttachmentAlt": "Vorschaubild für Videoanhang", "videoAttachmentAlt": "Bildschirmfoto vom angehängtem Video",
"lightboxImageAlt": "In Unterhaltung gesendetes Bild", "lightboxImageAlt": "In Unterhaltung gesendetes Bild",
"imageCaptionIconAlt": "Symbol, das auf eine Beschriftung des Bildes hinweist", "imageCaptionIconAlt": "Symbol, das auf eine Beschriftung des Bildes hinweist",
"addACaption": "Beschriftung hinzufügen...", "addACaption": "Beschriftung hinzufügen...",
"copySessionID": "Session-ID kopieren", "copySessionID": "Session-ID kopieren",
"copyOpenGroupURL": "Gruppen-URL kopieren", "copyOpenGroupURL": "Gruppenlink kopieren",
"save": "Speichern", "save": "Speichern",
"saveLogToDesktop": "Protokoll auf dem Desktop speichern", "saveLogToDesktop": "Protokoll auf dem Desktop speichern",
"saved": "Gespeichert", "saved": "Gespeichert",
"tookAScreenshot": "$name$ hat ein Bildschirmfoto gemacht", "tookAScreenshot": "$name$ hat ein Bildschirmfoto gemacht",
"savedTheFile": "Medien gespeichert von $name$", "savedTheFile": "Medien gespeichert von $name$",
"linkPreviewsTitle": "Link-Vorschauen Senden", "linkPreviewsTitle": "Link-Vorschauen Senden",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generiere Link-Vorschauen für unterstützte URLs.",
"linkPreviewsConfirmMessage": "Beim Senden von Link-Vorschauen sind Metadaten nicht vollständig geschützt.", "linkPreviewsConfirmMessage": "Beim Senden von Link-Vorschauen sind Metadaten nicht vollständig geschützt.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Erlaube Zugriff auf das Mikrofon.",
"spellCheckTitle": "Rechtschreibprüfung", "spellCheckTitle": "Rechtschreibprüfung",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Rechtschreibprüfung bei der Eingabe von Nachrichten aktivieren.",
"spellCheckDirty": "Sie müssen Session neu starten, um die neuen Einstellungen zu übernehmen", "spellCheckDirty": "Sie müssen Session neu starten, um die neuen Einstellungen zu übernehmen",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Sende Lesebestätigungen in Einzelchats.",
"readReceiptSettingTitle": "Lesebestätigungen", "readReceiptSettingTitle": "Lesebestätigungen",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Tipp-Benachrichtigungen in Zweier-Chats senden und anzeigen.",
"typingIndicatorsSettingTitle": "Tipp-Indikatoren", "typingIndicatorsSettingTitle": "Tipp-Indikatoren",
"zoomFactorSettingTitle": "Zoomstufe", "zoomFactorSettingTitle": "Zoomstufe",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Grundfarbe",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Grundfarbe Grün",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Grundfarbe Blau",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Grundfarbe Gelb",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Grundfarbe Pink",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Grundfarbe Lila",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Grundfarbe Orange",
"primaryColorRed": "Primary color red", "primaryColorRed": "Grundfarbe Rot",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klassisch Dunkel",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klassisch Hell",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ozean Dunkel",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ozean Hell",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Communities kürzen",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Lösche Nachrichten, die älter als 6 Monate sind, aus Communities mit über 2.000 Nachrichten.",
"enable": "Aktivieren", "enable": "Aktivieren",
"keepDisabled": "Deaktiviert lassen", "keepDisabled": "Deaktiviert lassen",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Die Informationen, die in den Benachrichtigungen angezeigt werden.",
"nameAndMessage": "Kontaktname und Nachricht", "nameAndMessage": "Name und Inhalt",
"noNameOrMessage": "Weder Name noch Nachricht", "noNameOrMessage": "Weder Name noch Nachricht",
"nameOnly": "Nur Kontaktname", "nameOnly": "Nur Kontaktname",
"newMessage": "Neue Nachricht", "newMessage": "Neue Nachricht",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Erstelle eine Unterhaltung mit einem neuen Kontakt",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Erstelle eine Gruppe mit bestehenden Kontakten",
"joinACommunity": "Join a community", "joinACommunity": "Einer Community beitreten",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Wähle eine Aktion, um eine Unterhaltung zu starten",
"newMessages": "Neue Nachrichten", "newMessages": "Neue Nachrichten",
"notificationMostRecentFrom": "Neueste von: $name$", "notificationMostRecentFrom": "Neueste von: $name$",
"notificationFrom": "Von:", "notificationFrom": "Von:",
@ -174,7 +176,7 @@
"sendFailed": "Versand Gescheitert", "sendFailed": "Versand Gescheitert",
"mediaMessage": "Nachricht mit Medieninhalten", "mediaMessage": "Nachricht mit Medieninhalten",
"messageBodyMissing": "Bitte geben Sie einen Nachrichtentext ein.", "messageBodyMissing": "Bitte geben Sie einen Nachrichtentext ein.",
"messageBody": "Message body", "messageBody": "Nachrichtentext",
"unblockToSend": "Gib die Blockierung dieses Kontakts frei, um eine Nachricht zu senden.", "unblockToSend": "Gib die Blockierung dieses Kontakts frei, um eine Nachricht zu senden.",
"unblockGroupToSend": "Gib die Blockierung dieser Gruppe frei, um eine Nachricht zu senden.", "unblockGroupToSend": "Gib die Blockierung dieser Gruppe frei, um eine Nachricht zu senden.",
"youChangedTheTimer": "Du hast die Zeit für verschwindende Nachrichten auf $time$ festgelegt", "youChangedTheTimer": "Du hast die Zeit für verschwindende Nachrichten auf $time$ festgelegt",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 Stunden", "timerOption_12_hours": "12 Stunden",
"timerOption_1_day": "1 Tag", "timerOption_1_day": "1 Tag",
"timerOption_1_week": "1 Woche", "timerOption_1_week": "1 Woche",
"timerOption_2_weeks": "2 Wochen",
"disappearingMessages": "Verschwindende Nachrichten", "disappearingMessages": "Verschwindende Nachrichten",
"changeNickname": "Spitzname bearbeiten", "changeNickname": "Spitzname bearbeiten",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1T", "timerOption_1_day_abbreviated": "1T",
"timerOption_1_week_abbreviated": "1W", "timerOption_1_week_abbreviated": "1W",
"timerOption_2_weeks_abbreviated": "2W",
"disappearingMessagesDisabled": "Verschwindende Nachrichten deaktiviert", "disappearingMessagesDisabled": "Verschwindende Nachrichten deaktiviert",
"disabledDisappearingMessages": "$name$ hat verschwindende Nachrichten deaktiviert.", "disabledDisappearingMessages": "$name$ hat verschwindende Nachrichten deaktiviert.",
"youDisabledDisappearingMessages": "Du hast verschwindende Nachrichten deaktiviert.", "youDisabledDisappearingMessages": "Du hast verschwindende Nachrichten deaktiviert.",
"timerSetTo": "Zeit für verschwindende Nachrichten auf $time$ festgelegt", "timerSetTo": "Zeit für verschwindende Nachrichten auf $time$ festgelegt",
"noteToSelf": "Notiz an mich", "noteToSelf": "Notiz an mich",
"hideMenuBarTitle": "Menüleiste ausblenden", "hideMenuBarTitle": "Menüleiste ausblenden",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Schalte Sichtbarkeit der Menüleiste um.",
"startConversation": "Neue Unterhaltung Beginnen", "startConversation": "Neue Unterhaltung Beginnen",
"invalidNumberError": "Ungültige Rufnummer", "invalidNumberError": "Bitte überprüfe die Session-ID oder den ONS-Namen und versuche es erneut",
"failedResolveOns": "Fehler beim Auflösen des ONS-Namens", "failedResolveOns": "Fehler beim Auflösen des ONS-Namens",
"autoUpdateSettingTitle": "Automatische Aktualisierung", "autoUpdateSettingTitle": "Automatische Aktualisierung",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Beim Start automatisch nach Updates suchen.",
"autoUpdateNewVersionTitle": "Aktualisierung für Session verfügbar", "autoUpdateNewVersionTitle": "Aktualisierung für Session verfügbar",
"autoUpdateNewVersionMessage": "Eine neue Version von Session ist verfügbar.", "autoUpdateNewVersionMessage": "Eine neue Version von Session ist verfügbar.",
"autoUpdateNewVersionInstructions": "Zum Aktualisieren klicke auf »Session neu starten«.", "autoUpdateNewVersionInstructions": "Zum Aktualisieren klicke auf »Session neu starten«.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$ sind der Gruppe beigetreten.", "multipleJoinedTheGroup": "$name$ sind der Gruppe beigetreten.",
"kickedFromTheGroup": "$name$ wurde aus der Gruppe entfernt.", "kickedFromTheGroup": "$name$ wurde aus der Gruppe entfernt.",
"multipleKickedFromTheGroup": "$name$ wurden aus der Gruppe entfernt.", "multipleKickedFromTheGroup": "$name$ wurden aus der Gruppe entfernt.",
"blockUser": "Blockieren", "block": "Block",
"unblockUser": "Freigeben", "unblock": "Unblock",
"unblocked": "Freigegeben", "unblocked": "Freigegeben",
"blocked": "Gesperrt", "blocked": "Gesperrt",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blockierte Kontakte",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Unterhaltungen",
"unbanUser": "Benutzer entsperren", "unbanUser": "Benutzer entsperren",
"userUnbanned": "Benutzer erfolgreich freigegeben", "userUnbanned": "Benutzer erfolgreich freigegeben",
"userUnbanFailed": "Freigabe fehlgeschlagen!", "userUnbanFailed": "Freigabe fehlgeschlagen!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Blockieren fehlgeschlagen!", "userBanFailed": "Blockieren fehlgeschlagen!",
"leaveGroup": "Gruppe Verlassen", "leaveGroup": "Gruppe Verlassen",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Gruppe verlassen und für alle löschen",
"leaveGroupConfirmation": "Sind Sie sich sicher, dass Sie diese Gruppe verlassen möchten?", "leaveGroupConfirmation": "Sind Sie sich sicher, dass Sie diese Gruppe verlassen möchten?",
"leaveGroupConfirmationAdmin": "Da du Admin dieser Gruppe bist wird sie für alle derzeitigen Mitglieder gelöscht. Bist du dir sicher das du die Gruppe verlassen möchtest?", "leaveGroupConfirmationAdmin": "Da du Admin dieser Gruppe bist wird sie für alle derzeitigen Mitglieder gelöscht. Bist du dir sicher das du die Gruppe verlassen möchtest?",
"cannotRemoveCreatorFromGroup": "Dieser Nutzer kann nicht entfernt werden", "cannotRemoveCreatorFromGroup": "Dieser Nutzer kann nicht entfernt werden",
"cannotRemoveCreatorFromGroupDesc": "Du kannst diesen Nutzer nicht entfernen da er der Ersteller der Gruppe ist.", "cannotRemoveCreatorFromGroupDesc": "Du kannst diesen Nutzer nicht entfernen da er der Ersteller der Gruppe ist.",
"noContactsForGroup": "Sie haben noch keine Kontakte", "noContactsForGroup": "Sie haben noch keine Kontakte",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Benutzer kann nicht als Administrator hinzugefügt werden",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Konnte Benutzer nicht von der Admin-Liste entfernen",
"copyMessage": "Nachrichtentext kopieren", "copyMessage": "Nachrichtentext kopieren",
"selectMessage": "Nachricht auswählen", "selectMessage": "Nachricht auswählen",
"editGroup": "Gruppe bearbeiten", "editGroup": "Gruppe bearbeiten",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "$name$ wird aktualisiert...", "updateGroupDialogTitle": "$name$ wird aktualisiert...",
"showRecoveryPhrase": "Wiederherstellungssatz", "showRecoveryPhrase": "Wiederherstellungssatz",
"yourSessionID": "Ihre Session ID", "yourSessionID": "Ihre Session ID",
"setAccountPasswordTitle": "Accountpasswort festlegen", "setAccountPasswordTitle": "Passwort",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Passwort zum Entsperren von Session erforderlich.",
"changeAccountPasswordTitle": "Accountpasswort ändern", "changeAccountPasswordTitle": "Passwort ändern",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Das Passwort zum Entsperren von Session ändern.",
"removeAccountPasswordTitle": "Accountpasswort entfernen", "removeAccountPasswordTitle": "Passwort entfernen",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Das Passwort zum Entsperren von Session entfernen.",
"enterPassword": "Bitte dein Passwort eingeben", "enterPassword": "Bitte dein Passwort eingeben",
"confirmPassword": "Passwort bestätigen", "confirmPassword": "Passwort bestätigen",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Bitte neues Passwort eingeben",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Neues Passwort bestätigen",
"showRecoveryPhrasePasswordRequest": "Bitte dein Passwort eingeben", "showRecoveryPhrasePasswordRequest": "Bitte dein Passwort eingeben",
"recoveryPhraseSavePromptMain": "Ihr Wiederherstellungssatz ist der Hauptschlüssel für Ihre Session ID. Mit diesem Satz können Sie Ihre Session ID wiederherstellen, wenn Sie den Zugriff auf Ihr Gerät verlieren. Bewahren Sie Ihren Wiederherstellungssatz an einem sicheren Ort auf und geben Sie ihn an niemandem weiter.", "recoveryPhraseSavePromptMain": "Ihr Wiederherstellungssatz ist der Hauptschlüssel für Ihre Session ID. Mit diesem Satz können Sie Ihre Session ID wiederherstellen, wenn Sie den Zugriff auf Ihr Gerät verlieren. Bewahren Sie Ihren Wiederherstellungssatz an einem sicheren Ort auf und geben Sie ihn an niemandem weiter.",
"invalidOpenGroupUrl": "Ungültige URL", "invalidOpenGroupUrl": "Ungültige URL",
"copiedToClipboard": "In die Zwischenablage kopiert.", "copiedToClipboard": "Kopiert",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Passwort eingeben",
"password": "Passwort", "password": "Passwort",
"setPassword": "Passwort festlegen", "setPassword": "Passwort festlegen",
"changePassword": "Passwort ändern", "changePassword": "Passwort ändern",
"createPassword": "Create your password", "createPassword": "Passwort erstellen",
"removePassword": "Passwort entfernen", "removePassword": "Passwort entfernen",
"maxPasswordAttempts": "Ungültiges Passwort. Möchtest du die Datenbank zurücksetzen?", "maxPasswordAttempts": "Ungültiges Passwort. Möchtest du die Datenbank zurücksetzen?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Bitte gib dein aktuelles Passwort ein",
"invalidOldPassword": "Altes Passwort ungültig", "invalidOldPassword": "Altes Passwort ungültig",
"invalidPassword": "Ungültiges Passwort", "invalidPassword": "Ungültiges Passwort",
"noGivenPassword": "Bitte dein Passwort eingeben", "noGivenPassword": "Bitte dein Passwort eingeben",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Die Passwörter stimmen nicht überein", "setPasswordInvalid": "Die Passwörter stimmen nicht überein",
"changePasswordInvalid": "Das eingegebene alte Passwort ist falsch", "changePasswordInvalid": "Das eingegebene alte Passwort ist falsch",
"removePasswordInvalid": "Falsches Passwort", "removePasswordInvalid": "Falsches Passwort",
"setPasswordTitle": "Passwort festlegen", "setPasswordTitle": "Passwort festgelegt",
"changePasswordTitle": "Geändertes Passwort", "changePasswordTitle": "Passwort geändert",
"removePasswordTitle": "Entferntes Passwort", "removePasswordTitle": "Passwort entfernt",
"setPasswordToastDescription": "Dein Passwort wurde eingerichtet. Bitte sicher verwahren.", "setPasswordToastDescription": "Dein Passwort wurde eingerichtet. Bitte sicher verwahren.",
"changePasswordToastDescription": "Dein Passwort wurde eingerichtet. Bitte sicher verwahren.", "changePasswordToastDescription": "Dein Passwort wurde eingerichtet. Bitte sicher verwahren.",
"removePasswordToastDescription": "Du hast dein Passwort entfernt.", "removePasswordToastDescription": "Dein Passwort wurde entfernt.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Du bist bereits mit dieser Community verbunden",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Konnte der Community nicht beitreten",
"connectingToServer": "Verbindung wird hergestellt …", "connectingToServer": "Verbindung wird hergestellt …",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Erfolgreich mit Community verbunden",
"setPasswordFail": "Passwort setzen fehlgeschlagen", "setPasswordFail": "Passwort setzen fehlgeschlagen",
"passwordLengthError": "Das Passwort muss zwischen 6 und 64 Zeichen lang sein", "passwordLengthError": "Das Passwort muss zwischen 6 und 64 Zeichen lang sein",
"passwordTypeError": "Das Passwort muss eine Zeichenkette sein", "passwordTypeError": "Das Passwort muss eine Zeichenkette sein",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Profil", "editProfileModalTitle": "Profil",
"groupNamePlaceholder": "Gruppenname", "groupNamePlaceholder": "Gruppenname",
"inviteContacts": "Freunde Einladen", "inviteContacts": "Freunde Einladen",
"addModerators": "Add Admins", "addModerators": "Administrator / Administratorin hinzufügen",
"removeModerators": "Remove Admins", "removeModerators": "Administrator / Administratorin entfernen",
"addAsModerator": "Add as Admin", "addAsModerator": "Als Admin hinzufügen",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Als Administrator / Administratorin entfernen",
"add": "Hinzufügen", "add": "Hinzufügen",
"addingContacts": "Kontakt hinzufügen", "addingContacts": "Kontakt hinzufügen",
"noContactsToAdd": "Keine Kontakte zum hinzufügen", "noContactsToAdd": "Keine Kontakte zum hinzufügen",
"noMembersInThisGroup": "Keine Gruppenmitglieder", "noMembersInThisGroup": "Keine Gruppenmitglieder",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "kein Administrator / keine Administratorin zu entfernen",
"onlyAdminCanRemoveMembers": "Du bist nicht der Ersteller", "onlyAdminCanRemoveMembers": "Du bist nicht der Ersteller",
"onlyAdminCanRemoveMembersDesc": "Nur der Ersteller der Gruppe kann Benutzer entfernen", "onlyAdminCanRemoveMembersDesc": "Nur der Ersteller der Gruppe kann Benutzer entfernen",
"createAccount": "Konto Erstellen", "createAccount": "Konto Erstellen",
"startInTrayTitle": "In der Systemleiste behalten", "startInTrayTitle": "In der Systemleiste behalten",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Session läuft im Hintergrund weiter, wenn du das Fenster schließt.",
"yourUniqueSessionID": "Das ist Ihre Session ID.", "yourUniqueSessionID": "Das ist Ihre Session ID.",
"allUsersAreRandomly...": "Ihre Session ID ist die eindeutige Adresse, unter der Personen Sie über Session kontaktieren können. Ihre Session ID ist nicht mit Ihrer realen Identität verbunden, völlig anonym und von Natur aus privat.", "allUsersAreRandomly...": "Ihre Session ID ist die eindeutige Adresse, unter der Personen Sie über Session kontaktieren können. Ihre Session ID ist nicht mit Ihrer realen Identität verbunden, völlig anonym und von Natur aus privat.",
"getStarted": "Loslegen", "getStarted": "Loslegen",
@ -344,40 +348,43 @@
"linkDevice": "Gerät verbinden", "linkDevice": "Gerät verbinden",
"restoreUsingRecoveryPhrase": "Ihr Konto wiederherstellen", "restoreUsingRecoveryPhrase": "Ihr Konto wiederherstellen",
"or": "oder", "or": "oder",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Durch die Nutzung dieses Dienstes stimmst du unseren <a href=\"https://getsession.org/terms-of-service \">Nutzungsbedingungen</a> und unserer <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Datenschutzerklärung</a> zu",
"beginYourSession": "Beginnen Sie Ihre Session.", "beginYourSession": "Beginnen Sie Ihre Session.",
"welcomeToYourSession": "Willkommen bei Session", "welcomeToYourSession": "Willkommen bei Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Unterhaltungen und Kontakte durchsuchen",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Kontakte durchsuchen",
"enterSessionID": "Session ID eingeben", "enterSessionID": "Session ID eingeben",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Session-ID oder ONS deines Kontakts eingeben",
"message": "Nachricht", "message": "Nachricht",
"appearanceSettingsTitle": "Darstellung", "appearanceSettingsTitle": "Darstellung",
"privacySettingsTitle": "Datenschutz", "privacySettingsTitle": "Datenschutz",
"notificationsSettingsTitle": "Benachrichtigungen", "notificationsSettingsTitle": "Benachrichtigungen",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Inhalt der Benachrichtigungen",
"notificationPreview": "Vorschau",
"recoveryPhraseEmpty": "Ihr Wiederherstellungssatz", "recoveryPhraseEmpty": "Ihr Wiederherstellungssatz",
"displayNameEmpty": "Bitte wählen Sie einen Anzeigenamen", "displayNameEmpty": "Bitte wählen Sie einen Anzeigenamen",
"displayNameTooLong": "Display name is too long",
"members": "$count$ mitglied", "members": "$count$ mitglied",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Beitreten",
"createGroup": "Create Group", "joinOpenGroup": "Community beitreten",
"create": "Create", "createGroup": "Gruppe erstellen",
"create": "Erstellen",
"createClosedGroupNamePrompt": "Gruppenname", "createClosedGroupNamePrompt": "Gruppenname",
"createClosedGroupPlaceholder": "Geben Sie einen Gruppennamen ein.", "createClosedGroupPlaceholder": "Geben Sie einen Gruppennamen ein.",
"openGroupURL": "Community URL", "openGroupURL": "Community-URL",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Community-URL eingeben",
"next": "Weiter", "next": "Weiter",
"invalidGroupNameTooShort": "Bitte geben Sie einen Gruppennamen ein.", "invalidGroupNameTooShort": "Bitte geben Sie einen Gruppennamen ein.",
"invalidGroupNameTooLong": "Bitte geben Sie einen kürzeren Gruppennamen ein.", "invalidGroupNameTooLong": "Bitte geben Sie einen kürzeren Gruppennamen ein.",
"pickClosedGroupMember": "Bitte wählen Sie mindestens zwei Gruppenmitglieder aus.", "pickClosedGroupMember": "Bitte wählen Sie mindestens zwei Gruppenmitglieder aus.",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Eine Gruppe kann maximal 100 Mitglieder haben",
"noBlockedContacts": "Keine blockierten Kontakte", "noBlockedContacts": "Du hast keine blockierten Kontakte.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Nutzer / Nutzerin zur Admin-Liste hinzugefügt",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Nutzer / Nutzerin von der Admin-Liste entfernt",
"orJoinOneOfThese": "Oder tritt einer von diesen bei...", "orJoinOneOfThese": "Oder tritt einer von diesen bei...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Session übersetzen",
"closedGroupInviteFailTitle": "Einladung in die Gruppe fehlgeschlagen", "closedGroupInviteFailTitle": "Einladung in die Gruppe fehlgeschlagen",
"closedGroupInviteFailTitlePlural": "Einladungen in die Gruppe fehlgeschlagen", "closedGroupInviteFailTitlePlural": "Einladungen in die Gruppe fehlgeschlagen",
"closedGroupInviteFailMessage": "Gruppenmitglied konnte nicht eingeladen werden", "closedGroupInviteFailMessage": "Gruppenmitglied konnte nicht eingeladen werden",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Einladungen erneut senden", "closedGroupInviteOkText": "Einladungen erneut senden",
"closedGroupInviteSuccessTitlePlural": "Gruppeneinladungen abgeschlossen", "closedGroupInviteSuccessTitlePlural": "Gruppeneinladungen abgeschlossen",
"closedGroupInviteSuccessTitle": "Gruppeneinladung erfolgreich", "closedGroupInviteSuccessTitle": "Gruppeneinladung erfolgreich",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Gruppenmitglieder wurden erfolgreich eingeladen",
"notificationForConvo": "Benachrichtigungen", "notificationForConvo": "Benachrichtigungen",
"notificationForConvo_all": "Alle", "notificationForConvo_all": "Alle",
"notificationForConvo_disabled": "Deaktiviert", "notificationForConvo_disabled": "Deaktiviert",
@ -399,67 +406,71 @@
"linkVisitWarningTitle": "Diesen Link in deinem Browser öffnen?", "linkVisitWarningTitle": "Diesen Link in deinem Browser öffnen?",
"linkVisitWarningMessage": "Bist du sicher, dass du $url$ in deinem Browser öffnen willst?", "linkVisitWarningMessage": "Bist du sicher, dass du $url$ in deinem Browser öffnen willst?",
"open": "Öffnen", "open": "Öffnen",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Audio-Nachrichten automatisch abspielen",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Automatisches Abspielen aufeinanderfolgender Audio-Nachrichten.",
"clickToTrustContact": "Klicken um Medien herunterzuladen", "clickToTrustContact": "Klicken um Medien herunterzuladen",
"trustThisContactDialogTitle": "$name$ vertrauen?", "trustThisContactDialogTitle": "$name$ vertrauen?",
"trustThisContactDialogDescription": "Bist du sicher, dass du die von $name$ gesendeten Medien herunterladen möchtest?", "trustThisContactDialogDescription": "Bist du sicher, dass du die von $name$ gesendeten Medien herunterladen möchtest?",
"pinConversation": "Unterhaltung anheften", "pinConversation": "Unterhaltung anheften",
"unpinConversation": "Unterhaltung abnehmen", "unpinConversation": "Unterhaltung abnehmen",
"markUnread": "Mark Unread",
"showUserDetails": "Nutzerdetails ansehen", "showUserDetails": "Nutzerdetails ansehen",
"sendRecoveryPhraseTitle": "Wiederherstellungsphrase zusenden", "sendRecoveryPhraseTitle": "Wiederherstellungsphrase zusenden",
"sendRecoveryPhraseMessage": "Mit der Wiederherstellungsphrase kann auf deinen Account zugegriffen werden. Bist du dir sicher das du sie dir zusenden lassen möchtest?", "sendRecoveryPhraseMessage": "Mit der Wiederherstellungsphrase kann auf deinen Account zugegriffen werden. Bist du dir sicher das du sie dir zusenden lassen möchtest?",
"dialogClearAllDataDeletionFailedTitle": "Daten nicht gelöscht", "dialogClearAllDataDeletionFailedTitle": "Daten nicht gelöscht",
"dialogClearAllDataDeletionFailedDesc": "Die Daten wurden aufgrund eines unbekannten Fehlers nicht gelöscht. Möchtest du deine Daten nur von diesem Gerät löschen?", "dialogClearAllDataDeletionFailedDesc": "Die Daten wurden aufgrund eines unbekannten Fehlers nicht gelöscht. Möchtest du deine Daten nur von diesem Gerät löschen?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Sollen die Daten nur von diesem Gerät gelöscht werden?", "dialogClearAllDataDeletionFailedTitleQuestion": "Sollen die Daten nur von diesem Gerät gelöscht werden?",
"dialogClearAllDataDeletionFailedMultiple": "Daten wurden von folgenden Dienstknoten nicht gelöscht: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Daten wurden von diesen Dienstknoten nicht gelöscht: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Möchtest du deine Daten nur aus diesem Gerät oder auch aus dem gesamten Netzwerk löschen?",
"deviceOnly": "Clear Device Only", "clearDevice": "Gerät entfernen",
"entireAccount": "Clear Device and Network", "tryAgain": "Erneut versuchen",
"areYouSureClearDevice": "Bist du sicher, dass du dein Gerät zurücksetzen willst?",
"deviceOnly": "Nur Gerät entfernen",
"entireAccount": "Geräte- und Netzwerkdaten löschen",
"areYouSureDeleteDeviceOnly": "Möchtest du die Daten von diesem Gerät wirklich löschen?", "areYouSureDeleteDeviceOnly": "Möchtest du die Daten von diesem Gerät wirklich löschen?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Bist du sicher, dass du deine Daten aus dem Netzwerk löschen möchtest? Wenn du fortfährst, kannst du deine Nachrichten oder Kontakte nicht wiederherstellen.",
"iAmSure": "Ich bin mir sicher", "iAmSure": "Ich bin mir sicher",
"recoveryPhraseSecureTitle": "Du bist fast fertig!", "recoveryPhraseSecureTitle": "Du bist fast fertig!",
"recoveryPhraseRevealMessage": "Lasse dir deinen Widerherstellungssatz anzeigen und bewahre ihn sicher auf, um dein Konto zu sichern.", "recoveryPhraseRevealMessage": "Sichere Dein Konto, indem Du Deinen Wiederherstellungsschlüssel speicherst. Lasse Dir diesen anzeigen und speichere ihn dann, um ihn zu sichern.",
"recoveryPhraseRevealButtonText": "Wiederherstellungsphrase anzeigen", "recoveryPhraseRevealButtonText": "Wiederherstellungsphrase anzeigen",
"notificationSubtitle": "Benachrichtigungen - $setting$", "notificationSubtitle": "Benachrichtigungen - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Wir würden uns über Dein Feedback freuen",
"faq": "FAQ", "faq": "FAQ",
"support": "Support", "support": "Support",
"clearAll": "Alles löschen", "clearAll": "Alles löschen",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Daten löschen",
"messageRequests": "Nachrichtenanfragen", "messageRequests": "Nachrichtenanfragen",
"requestsSubtitle": "Ausstehende Anfragen", "requestsSubtitle": "Ausstehende Anfragen",
"requestsPlaceholder": "Keine Anfragen", "requestsPlaceholder": "Keine Anfragen",
"hideRequestBannerDescription": "Banner für Nachrichtenanfragen ausblenden, bis du eine neue Nachrichtenanfrage erhältst.", "hideRequestBannerDescription": "Banner für Nachrichtenanfragen ausblenden, bis du eine neue Nachrichtenanfrage erhältst.",
"incomingCallFrom": "Eingehender Anruf von '$name$'", "incomingCallFrom": "Eingehender Anruf von '$name$'",
"ringing": "Klingelt...", "ringing": "Anrufen...",
"establishingConnection": "Verbindung wird aufgebaut …", "establishingConnection": "Verbindung wird aufgebaut …",
"accept": "Akzeptieren", "accept": "Akzeptieren",
"decline": "Ablehnen", "decline": "Ablehnen",
"endCall": "Anruf beenden", "endCall": "Anruf beenden",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Berechtigungen",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Hilfe",
"cameraPermissionNeededTitle": "Sprach-/Videoanruf-Berechtigungen erforderlich", "cameraPermissionNeededTitle": "Sprach-/Videoanruf-Berechtigungen erforderlich",
"cameraPermissionNeeded": "Die Berechtigung für \"Spach und Videoanrufe\" kannst du in den Datenschutzeinstellungen aktivieren.", "cameraPermissionNeeded": "Die Berechtigung für \"Spach- und Videoanrufe\" kannst du in den Datenschutzeinstellungen aktivieren.",
"unableToCall": "Laufenden Anruf zuerst abbrechen", "unableToCall": "Beende zunächst den laufenden Anruf",
"unableToCallTitle": "Neuer Anruf konnte nicht gestartet werden", "unableToCallTitle": "Neuer Anruf konnte nicht gestartet werden",
"callMissed": "Verpasster Anruf von $name$", "callMissed": "Entgangener Anruf von $name$",
"callMissedTitle": "Anruf verpasst", "callMissedTitle": "Anruf verpasst",
"noCameraFound": "Keine Kamera gefunden", "noCameraFound": "Keine Kamera gefunden",
"noAudioInputFound": "Keine Audioeingabe gefunden", "noAudioInputFound": "Keine Audioeingabe gefunden",
"noAudioOutputFound": "Keine Audioausgabe gefunden", "noAudioOutputFound": "Keine Audioausgabe gefunden",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Sprach- und Videoanrufe (Beta)",
"callMissedCausePermission": "Der Anruf von '$name$' konnte nicht entgegengenommen werden, da du zuerst die Berechtigung für „Anrufe und Videoanrufe“ in den Datenschutzeinstellungen aktivieren musst.", "callMissedCausePermission": "Der Anruf von '$name$' konnte nicht entgegengenommen werden, da du zuerst die Berechtigung für „Anrufe und Videoanrufe“ in den Datenschutzeinstellungen aktivieren musst.",
"callMissedNotApproved": "Verpasster Anruf von '$name$', da du diese Unterhaltung noch nicht genehmigt hast. Sende zuerst eine Nachricht.", "callMissedNotApproved": "Verpasster Anruf von '$name$', da du diese Unterhaltung noch nicht genehmigt hast. Sende dem Benutzer zuerst eine Nachricht.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Aktiviert Sprach- und Videoanrufe an und von anderen Benutzern.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Deine IP-Adresse ist bei Beta-Anrufen für Deinen Gesprächspartner und einen Oxen Foundation Server sichtbar. Bist Du sicher, dass Du Sprach- und Videoanrufe aktivieren möchtest?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Sprach- und Videoanrufe (Beta)",
"startedACall": "Du hast $name$ angerufen", "startedACall": "Du hast $name$ angerufen",
"answeredACall": "Anruf mit $name$", "answeredACall": "Anruf mit $name$",
"trimDatabase": "Datenbank kürzen", "trimDatabase": "Datenbank kürzen",
"trimDatabaseDescription": "Verringert die Größe der Nachrichtendatenbank auf die letzten 10.000 Nachrichten.", "trimDatabaseDescription": "Verringert die Größe der Nachrichtendatenbank auf die letzten 10.000 Nachrichten.",
"trimDatabaseConfirmationBody": "Sind Sie sicher, dass Sie Ihre $deleteAmount$ ältesten Nachrichten löschen möchten?", "trimDatabaseConfirmationBody": "Bist Du sicher, dass Du Deine $deleteAmount$ ältesten Nachrichten löschen möchtest?",
"pleaseWaitOpenAndOptimizeDb": "Bitte warte, bis deine Datenbank geöffnet und optimiert wurde...", "pleaseWaitOpenAndOptimizeDb": "Bitte warte, bis deine Datenbank geöffnet und optimiert wurde...",
"messageRequestPending": "Deine Nachrichtenanfrage ist derzeit ausstehend", "messageRequestPending": "Deine Nachrichtenanfrage ist derzeit ausstehend",
"messageRequestAccepted": "Deine Nachrichtenanfrage wurde angenommen", "messageRequestAccepted": "Deine Nachrichtenanfrage wurde angenommen",
@ -468,25 +479,30 @@
"declineRequestMessage": "Möchtest du diese Nachrichtenanfrage wirklich löschen?", "declineRequestMessage": "Möchtest du diese Nachrichtenanfrage wirklich löschen?",
"respondingToRequestWarning": "Das Senden einer Nachricht an diesen Benutzer bestätigt automatisch seine Nachrichtenanfrage und gibt deine Session ID bekannt.", "respondingToRequestWarning": "Das Senden einer Nachricht an diesen Benutzer bestätigt automatisch seine Nachrichtenanfrage und gibt deine Session ID bekannt.",
"hideRequestBanner": "Banner für Nachrichtenanfragen ausblenden", "hideRequestBanner": "Banner für Nachrichtenanfragen ausblenden",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Nachrichtenanfragen",
"noMessageRequestsPending": "Keine ausstehenden Nachrichtenanfragen", "noMessageRequestsPending": "Keine ausstehenden Nachrichtenanfragen",
"noMediaUntilApproved": "Du kannst keine Anhänge versenden, bis die Unterhaltung genehmigt ist", "noMediaUntilApproved": "Du kannst keine Anhänge versenden, bis die Unterhaltung genehmigt ist",
"mustBeApproved": "Diese Unterhaltung muss akzeptiert werden, um diese Funktion zu nutzen", "mustBeApproved": "Diese Unterhaltung muss akzeptiert werden, um diese Funktion zu nutzen",
"youHaveANewFriendRequest": "Du hast eine neue Freundschaftsanfrage", "youHaveANewFriendRequest": "Du hast eine neue Freundschaftsanfrage",
"clearAllConfirmationTitle": "Alle Nachrichtenanfragen löschen", "clearAllConfirmationTitle": "Alle Nachrichtenanfragen löschen",
"clearAllConfirmationBody": "Sind Sie sicher, dass Sie alle Nachrichtenanfragen löschen möchten?", "clearAllConfirmationBody": "Bist Du sicher, dass Du alle Nachrichtenanfragen löschen möchtest?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Ausblenden", "hideBanner": "Ausblenden",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Posteingang für Nachrichtenanfragen anzeigen", "openMessageRequestInboxDescription": "Posteingang für Nachrichtenanfragen anzeigen",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Bist du sicher, dass du alle $emoji$ löschen möchtest?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Weniger anzeigen",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reagiert auf eine Nachricht mit $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Langsam! Du hast zu viele Emoji-Reaktionen geschickt. Versuche es später erneut",
"otherPlural": "$number$ others", "otherSingular": "$number$ weiterer",
"reactionPopup": "reacted with", "otherPlural": "$number$ weitere",
"reactionPopup": "reagierten mit",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$ & $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Und $otherSingular$ hat mit <span>$emoji$</span> auf diese Nachricht reagiert",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Und $otherPlural$ haben mit <span>$emoji$</span> auf diese Nachricht reagiert"
} }

View File

@ -1,24 +1,24 @@
{ {
"copyErrorAndQuit": "Αντιγραφή λάθους και έξοδος", "copyErrorAndQuit": "Αντιγραφή σφάλματος και έξοδος",
"unknown": "Άγνωστο", "unknown": "Άγνωστο",
"databaseError": "Λάθος της βάσης δεδομένων", "databaseError": "Σφάλμα Βάσης Δεδομένων",
"mainMenuFile": "&Φάκελος", "mainMenuFile": "&Αρχείο",
"mainMenuEdit": "&Επεξεργασία", "mainMenuEdit": "&Επεξεργασία",
"mainMenuView": "&Προβολή", "mainMenuView": "Π&ροβολή",
"mainMenuWindow": "&Παράθυρο", "mainMenuWindow": "Παρά&θυρο",
"mainMenuHelp": "&Βοήθεια", "mainMenuHelp": "&Βοήθεια",
"appMenuHide": "Απόκρυψη", "appMenuHide": "Απόκρυψη",
"appMenuHideOthers": "Απόκρυψη Άλλων", "appMenuHideOthers": "Απόκρυψη Άλλων",
"appMenuUnhide": "Εμφάνιση Όλων", "appMenuUnhide": "Εμφάνιση Όλων",
"appMenuQuit": "Αποσύνδεση από το Session", "appMenuQuit": "Έξοδος από το Session",
"editMenuUndo": "Αναίρεση", "editMenuUndo": "Αναίρεση",
"editMenuRedo": "Επαναφορά", "editMenuRedo": "Επανάληψη",
"editMenuCut": "Αποκοπή", "editMenuCut": "Αποκοπή",
"editMenuCopy": "Αντιγραφή", "editMenuCopy": "Αντιγραφή",
"editMenuPaste": "Επικόλληση", "editMenuPaste": "Επικόλληση",
"editMenuDeleteContact": "Διαγραφή επαφής", "editMenuDeleteContact": "Διαγραφή επαφής",
"editMenuDeleteGroup": "Διαγραφή ομάδας", "editMenuDeleteGroup": "Διαγραφή Ομάδας",
"editMenuSelectAll": "Επιλογή Όλων", "editMenuSelectAll": "Επιλογή όλων",
"windowMenuClose": "Κλείσιμο Παραθύρου", "windowMenuClose": "Κλείσιμο Παραθύρου",
"windowMenuMinimize": "Ελαχιστοποίηση", "windowMenuMinimize": "Ελαχιστοποίηση",
"windowMenuZoom": "Μεγέθυνση", "windowMenuZoom": "Μεγέθυνση",
@ -27,160 +27,162 @@
"viewMenuZoomOut": "Σμίκρυνση", "viewMenuZoomOut": "Σμίκρυνση",
"viewMenuToggleFullScreen": "Εναλλαγή Πλήρους Οθόνης", "viewMenuToggleFullScreen": "Εναλλαγή Πλήρους Οθόνης",
"viewMenuToggleDevTools": "Εναλλαγή Εργαλείων Προγραμματιστή", "viewMenuToggleDevTools": "Εναλλαγή Εργαλείων Προγραμματιστή",
"contextMenuNoSuggestions": "Καμία πρόταση", "contextMenuNoSuggestions": "Χωρίς Προτάσεις",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Πρόσκληση σε κοινότητα",
"joinOpenGroupAfterInvitationConfirmationTitle": "Συμμετοχή $roomName$;", "joinOpenGroupAfterInvitationConfirmationTitle": "Συμμετοχή σε $roomName$;",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Σίγουρα θέλετε να γίνετε μέλος στην κοινότητα $roomName$;",
"couldntFindServerMatching": "Δεν βρέθηκε ο αντίστοιχος εξυπηρετητής opengroup", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Εισάγετε το Session ID ή το ONS όνομα", "enterSessionIDOrONSName": "Εισαγάγετε Session ID ή όνομα ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Ξεκινήστε μια νέα συνομιλία εισάγοντας το Session ID κάποιου ή μοιραστείτε το δικό σας Session ID μαζί τους.",
"loading": "Λήψη...", "loading": "Φόρτωση...",
"done": "Ολοκληρώθηκε", "done": "Ολοκληρώθηκε",
"youLeftTheGroup": "Αποχωρήσατε από την ομάδα", "youLeftTheGroup": "Αποχωρήσατε από την ομάδα.",
"youGotKickedFromGroup": "Έχετε διαγραφεί από αυτή την ομάδα.", "youGotKickedFromGroup": "Έχετε αφαιρεθεί από την ομάδα.",
"unreadMessages": "Αδιάβαστα μηνύματα", "unreadMessages": "Μη Αναγνωσμένα Μηνύματα",
"debugLogExplanation": "Το αρχείο καταγραφής θα αποθηκευτεί στην επιφάνεια εργασίας σας.", "debugLogExplanation": "Αυτό το αρχείο καταγραφής θα αποθηκευτεί στην επιφάνεια εργασίας σας.",
"reportIssue": "Report a Bug", "reportIssue": "Αναφορά Σφάλματος",
"markAllAsRead": "Σήμανση όλων ως αναγνωσμένα", "markAllAsRead": "Επισήμανση όλων ως Αναγνωσμένα",
"incomingError": "Σφάλμα κατά την διαχείριση εισερχόμενου μηνύματος.", "incomingError": "Σφάλμα χειρισμού εισερχόμενου μηνύματος",
"media": "Μέσα ", "media": "Πολυμέσα",
"mediaEmptyState": "Δεν έχετε μέσα σε αυτή τη συνομιλία", "mediaEmptyState": "Δεν υπάρχουν πολυμέσα",
"documents": "Έγγραφα", "documents": "Έγγραφα",
"documentsEmptyState": "Δεν έχετε έγγραφα σε αυτή τη συνομιλία", "documentsEmptyState": "Δεν υπάρχουν έγγραφα",
"today": "Σήμερα", "today": "Σήμερα",
"yesterday": "Εχθές", "yesterday": "Εχθές",
"thisWeek": "Αυτή την εβδομάδα", "thisWeek": "Αυτή την εβδομάδα",
"thisMonth": "Αυτό τον μήνα", "thisMonth": "Αυτό τον μήνα",
"voiceMessage": "Φωνητικό Μήνυμα", "voiceMessage": "Ηχητικό Μήνυμα",
"stagedPreviewThumbnail": "Πρόχειρη μικρή προεσκόπιση συνδέσμου για $domain$", "stagedPreviewThumbnail": "Πρόχειρη προεπισκόπηση μικρογραφίας συνδέσμου για $domain$",
"previewThumbnail": "Μικρή προεσκόπιση συνδέσμου για $domain$", "previewThumbnail": "Προεπισκόπηση μικρογραφίας συνδέσμου για $domain$",
"stagedImageAttachment": "Πρόχειρη συνημμένη εικόνα: $path$", "stagedImageAttachment": "Πρόχειρο συνημμένο εικόνας: $path$",
"oneNonImageAtATimeToast": "Για συνημμένα αρχεία που δεν είναι εικόνες, το όριο είναι ένα αρχείο ανά μήνυμα.", "oneNonImageAtATimeToast": "Δυστυχώς, υπάρχει όριο ενός συνημμένου που δεν είναι εικόνα, ανά μήνυμα.",
"cannotMixImageAndNonImageAttachments": εν είναι δυνατό να συνάψετε εικόνες μαζί με αρχεία άλλου τύπου στο ίδιο μήνυμα.", "cannotMixImageAndNonImageAttachments": υστυχώς, δεν μπορείτε να συνδυάσετε εικόνες με άλλους τύπους αρχείων, στο ίδιο μήνυμα.",
"maximumAttachments": "Δεν είναι δυνατή η προσθήκη άλλων συνημμένων αρχείων σε αυτό το μήνυμα.", "maximumAttachments": "Συμπληρώθηκε ο μέγιστος αριθμός συνημμένων. Παρακαλώ στείλτε τα υπόλοιπα συνημμένα σε ξεχωριστό μήνυμα.",
"fileSizeWarning": "Δυστυχώς το επιλεγμένο αρχείο υπερβαίνει το όριο μεγέθους μηνυμάτων.", "fileSizeWarning": "Το συνημμένο υπερβαίνει τα όρια μεγέθους για το είδος μηνύματος που στέλνετε.",
"unableToLoadAttachment": εν είναι δυνατή η φόρτωση του επιλεγμένου συνημμένου.", "unableToLoadAttachment": υστυχώς, παρουσιάστηκε σφάλμα κατά την προσθήκη του συνημμένου σας.",
"offline": "Εκτός σύνδεσης", "offline": "Εκτός σύνδεσης",
"debugLog": "Αρχείο καταγραφής αποσφαλμάτωσης", "debugLog": "Αρχείο καταγραφής Αποσφαλμάτωσης",
"showDebugLog": "Export Logs", "showDebugLog": "Εξαγωγή Αρχείων Καταγραφής",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Εξαγάγετε τo αρχείο καταγραφής σας και στη συνέχεια μεταφορτώστε το αρχείο μέσω του Help Desk του Session.",
"goToReleaseNotes": "Μετάβαση στις Σημειώσεις Έκδοσης", "goToReleaseNotes": "Μετάβαση στις Σημειώσεις Έκδοσης",
"goToSupportPage": "Μετάβαση στη Σελίδα Υποστήριξης", "goToSupportPage": "Μετάβαση στη Σελίδα Υποστήριξης",
"about": "Σχετικά με", "about": "Σχετικά",
"show": "Εμφάνιση", "show": "Εμφάνιση",
"sessionMessenger": "Session", "sessionMessenger": "Session",
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "Δε βρέθηκαν αποτελέσματα για «$searchTerm$»",
"conversationsHeader": "Επαφές και Ομάδες", "conversationsHeader": "Επαφές και Ομάδες",
"contactsHeader": "Επαφές", "contactsHeader": "Επαφές",
"messagesHeader": "Μηνύματα", "messagesHeader": "Conversations",
"settingsHeader": "Ρυθμίσεις", "settingsHeader": "Ρυθμίσεις",
"typingAlt": "Κινούμενη εικόνα που δείχνει πληκτρολόγηση για αυτή τη συζήτηση", "typingAlt": "Κινούμενο εικονίδιο πληκτρολόγησης για αυτή τη συνομιλία",
"contactAvatarAlt": "Εικόνα προφίλ της επαφής $name$", "contactAvatarAlt": "Avatar για την επαφή $name$",
"downloadAttachment": "Λήψη Συνημμένου", "downloadAttachment": "Λήψη Συνημμένου",
"replyToMessage": "Απαντήστε στο μήνυμα ", "replyToMessage": "Απάντηση στο μήνυμα",
"replyingToMessage": "Απάντηση σε:", "replyingToMessage": "Απάντηση σε:",
"originalMessageNotFound": "Δεν βρέθηκε το αρχικό μήνυμα", "originalMessageNotFound": "Το αρχικό μήνυμα δε βρέθηκε",
"you": "Εσείς", "you": "Εσείς",
"audioPermissionNeededTitle": "Microphone access required", "audioPermissionNeededTitle": "Απαιτείται Πρόσβαση Μικροφώνου",
"audioPermissionNeeded": "Για να στείλετε μηνύματα ήχου, επιτρέψτε στο Session Desktop να έχει πρόσβαση στο μικρόφωνό σας.", "audioPermissionNeeded": "Μπορείτε να επιτρέψετε την πρόσβαση στο μικρόφωνο από: Ρυθμίσεις (εικονίδιο γραναζιού) => Απόρρητο",
"audio": "Ήχος", "audio": "Ήχος",
"video": "Βίντεο", "video": "Βίντεο",
"photo": "Φωτογραφία ", "photo": "Φωτογραφία ",
"cannotUpdate": "Αδυναμία Ενημέρωσης", "cannotUpdate": "Αδυναμία Ενημέρωσης",
"cannotUpdateDetail": "Αποτυχία ενημέρωσης της εφαρμογής, αλλά υπάρχει μια νέα διαθέσιμη έκδοση. Παρακαλώ πηγαίνετε στο https://getsession.org/ και εγκαταστήστε τη νέα έκδοση με μη αυτόματο τρόπο. Στη συνέχεια επικοινωνήστε με την υποστήριξη ή στείλτε ένα αρχείο καταγραφής σφαλμάτων.", "cannotUpdateDetail": "Η ενημέρωση του Session Desktop απέτυχε, αλλά υπάρχει διαθέσιμην μια νέα έκδοση. Μεταβείτε στη διεύθυνση https://getsession.org/ και εγκαταστήστε τη νέα έκδοση με μη αυτόματο τρόπο και, στη συνέχεια, επικοινωνήστε με την υποστήριξη ή υποβάλετε μια αναφορά σφάλματος σχετικά με αυτό το πρόβλημα.",
"ok": "ΟΚ", "ok": "ΟΚ",
"cancel": "Άκυρο", "cancel": "Ακύρωση",
"close": "Κλείσιμο", "close": "Κλείσιμο",
"continue": "Συνέχεια", "continue": "Συνέχεια",
"error": "Σφάλμα", "error": "Σφάλμα",
"delete": "Διαγραφή", "delete": "Διαγραφή",
"messageDeletionForbidden": "Δεν έχετε άδεια να διαγράψετε τα μηνύματα άλλων", "messageDeletionForbidden": "Δεν έχετε άδεια να διαγράψετε τα μηνύματα άλλων",
"deleteJustForMe": "Διαγραφή μόνο για μενα", "deleteJustForMe": "Διαγραφή μόνο για εμένα",
"deleteForEveryone": "Διαγραφή για όλους", "deleteForEveryone": "Διαγραφή για όλους",
"deleteMessagesQuestion": "Διαγραφή $count$ μηνυμάτων;", "deleteMessagesQuestion": "Διαγραφή $count$ μηνυμάτων;",
"deleteMessageQuestion": "Διαγραφή αυτού του μηνύματος;", "deleteMessageQuestion": "Διαγραφή αυτού του μηνύματος;",
"deleteMessages": "Διαγραφή Μηνυμάτων", "deleteMessages": "Διαγραφή Μηνυμάτων",
"deleted": "$count$ διαγράφηκε", "deleteConversation": "Delete Conversation",
"deleted": "Διαγράφηκαν $count$",
"messageDeletedPlaceholder": "Αυτό το μήνυμα έχει διαγραφεί", "messageDeletedPlaceholder": "Αυτό το μήνυμα έχει διαγραφεί",
"from": "Από", "from": "Από:",
"to": "to", "to": "Προς:",
"sent": "Στάλθηκε", "sent": "Απεσταλμένα",
"received": "Παρελήφθη", "received": "Ληφθέντα",
"sendMessage": "Αποστολή μηνύματος", "sendMessage": "Μήνυμα",
"groupMembers": "Μέλη ομάδας", "groupMembers": "Μέλη",
"moreInformation": "Περισσότερες πληροφορίες", "moreInformation": "Περισσότερες πληροφορίες",
"resend": "Αποστολή ξανά", "resend": "Επαναποστολή",
"deleteConversationConfirmation": "Οριστική διαγραφή αυτής της συνομιλίας;", "deleteConversationConfirmation": "Να διαγραφούν οριστικά τα μηνύματα σε αυτήν τη συνομιλία;",
"clear": "Clear", "clear": "Διαγραφή",
"clearAllData": "Εκκαθάριση όλων των δεδομένων", "clearAllData": "Διαγραφή Όλων των Δεδομένων",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Αυτό θα διαγράψει μόνιμα τα μηνύματα και τις επαφές σας.",
"deleteContactConfirmation": "Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν την συνομιλία;", "deleteAccountFromLogin": "Σίγουρα θέλετε να διαγράψετε τη συσκευή σας;",
"quoteThumbnailAlt": "Μικρογραφία της εικόνας από το αναφερόμενο μήνυμα", "deleteContactConfirmation": "Σίγουρα θέλετε να διαγράψετε αυτή τη συνομιλία;",
"imageAttachmentAlt": "Εικόνα επισυνημμένη στο μήνυμα", "quoteThumbnailAlt": "Μικρογραφία της εικόνας από το μήνυμα σε παράθεση",
"videoAttachmentAlt": "Στιγμιότυπο οθόνης του βίντεο που έχει επισυναφθεί στο μήνυμα", "imageAttachmentAlt": "Εικόνα συνημμένη στο μήνυμα",
"lightboxImageAlt": "Στάλθηκε μια εικόνα στη συνομιλία", "videoAttachmentAlt": "Στιγμιότυπο του βίντεο στο μήνυμα",
"imageCaptionIconAlt": "Εικονίδιο που ενδεικνύει ότι αυτή η εικόνα έχει υπότιτλο", "lightboxImageAlt": "Εικόνα που έχει σταλεί στη συνομιλία",
"imageCaptionIconAlt": "Εικονίδιο που δείχνει ότι αυτή η εικόνα έχει λεζάντα",
"addACaption": "Προσθήκη λεζάντας...", "addACaption": "Προσθήκη λεζάντας...",
"copySessionID": "Αντιγραφή Ταυτότητας", "copySessionID": "Αντιγραφή Session ID",
"copyOpenGroupURL": "Αντιγραφή Διεύθυνση Ομάδας", "copyOpenGroupURL": "Αντιγραφή URL Ομάδας",
"save": "Αποθήκευση", "save": "Αποθήκευση",
"saveLogToDesktop": "Αποθήκευση αρχείου καταγραφής στην επιφάνεια εργασίας", "saveLogToDesktop": "Αποθήκευση αρχείου καταγραφής στην επιφάνεια εργασίας",
"saved": "Αποθηκεύτηκε", "saved": "Αποθηκεύτηκε",
"tookAScreenshot": "$name$ πήρε ένα στιγμιότυπο οθόνης", "tookAScreenshot": "Λήφθηκε στιγμιότυπο οθόνης από $name$",
"savedTheFile": "Τα μέσα αποθηκεύτηκαν από τον/την $name$", "savedTheFile": "Αποθηκεύτηκαν μέσα από $name$",
"linkPreviewsTitle": "Αποστολή προεπισκοπήσεων συνδέσμων", "linkPreviewsTitle": "Αποστολή Προεπισκοπήσεων Συνδέσμων",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Δημιουργία προεπισκοπήσεων συνδέσμων για υποστηριζόμενα URL.",
"linkPreviewsConfirmMessage": "Δεν θα έχετε πλήρη προστασία μεταδεδομένων κατά την αποστολή προεπισκοπήσεων συνδέσμου.", "linkPreviewsConfirmMessage": "Δε θα έχετε πλήρη προστασία μεταδεδομένων αν αποστέλλετε προεπισκοπήσεις συνδέσμων.",
"mediaPermissionsTitle": "Μικρόφωνο", "mediaPermissionsTitle": "Μικρόφωνο",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Να επιτρέπεται η πρόσβαση στο μικρόφωνο.",
"spellCheckTitle": "Ορθογραφικός έλεγχος", "spellCheckTitle": "Ορθογραφικός Έλεγχος",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Ενεργοποίηση ορθογραφικού ελέγχου κατά την πληκτρολόγηση μηνυμάτων.",
"spellCheckDirty": "Πρέπει να επανεκκινήσετε τη συνεδρία για να εφαρμόσετε τις νέες ρυθμίσεις σας", "spellCheckDirty": "Πρέπει να επανεκκινήσετε το Session για να εφαρμόσετε τις νέες ρυθμίσεις σας",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Αποστολή αναφορών ανάγνωσης σε ένας προς έναν συνομιλίες.",
"readReceiptSettingTitle": "Αναφορές ανάγνωσης", "readReceiptSettingTitle": "Αναφορές Ανάγνωσης",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Δείτε και κοινοποιήστε δείκτες πληκτρολόγησης σε ένας προς έναν συνομιλίες.",
"typingIndicatorsSettingTitle": "Δείκτες Πληκτρολόγησης", "typingIndicatorsSettingTitle": "Δείκτες Πληκτρολόγησης",
"zoomFactorSettingTitle": "Συντελεστής Ζουμ", "zoomFactorSettingTitle": "Συντελεστής Μεγέθυνσης",
"themesSettingTitle": "Themes", "themesSettingTitle": "Θέματα",
"primaryColor": "Primary Color", "primaryColor": "Κύριο Χρώμα",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Κύριο χρώμα πράσινο",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Κύριο χρώμα μπλε",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Κύριο χρώμα κίτρινο",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Κύριο χρώμα ροζ",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Κύριο χρώμα μοβ",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Κύριο χρώμα πορτοκαλί",
"primaryColorRed": "Primary color red", "primaryColorRed": "Κύριο χρώμα κόκκινο",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Κλασσικό Σκούρο",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Κλασσικό Φωτεινό",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Σκοτεινό Ωκεανού",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Φωτεινό Ωκεανού",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Περικοπή Κοινοτήτων",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Διαγράψτε μηνύματα παλαιότερα των 6 μηνών από τις Κοινότητες που έχουν πάνω από 2.000 μηνύματα.",
"enable": "Ενεργοποίηση", "enable": "Ενεργοποίηση",
"keepDisabled": "Διατήρηση ανενεργού", "keepDisabled": "Διατήρηση Απενεργοποιημένο",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Πληροφορίες που εμφανίζονται στις ειδοποιήσεις.",
"nameAndMessage": "Όνομα αποστολέα και μήνυμα", "nameAndMessage": "Όνομα & Περιεχόμενο",
"noNameOrMessage": "Ούτε όνομα αποστολέα, ούτε μήνυμα", "noNameOrMessage": "Χωρίς όνομα ή περιεχόμενο",
"nameOnly": "Μόνο όνομα αποστολέα", "nameOnly": "Μόνο Όνομα",
"newMessage": "Νέο Μήνυμα", "newMessage": "Νέο Μήνυμα",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Δημιουργία συνομιλίας με μια νέα επαφή",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Δημιουργία ομάδας με υπάρχουσες επαφές",
"joinACommunity": "Join a community", "joinACommunity": "Γίνετε μέλος σε μια κοινότητα",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Επιλέξτε μια ενέργεια για να ξεκινήσετε μια συνομιλία",
"newMessages": "Νέα Μηνύματα", "newMessages": "Νέα Μηνύματα",
"notificationMostRecentFrom": ιο πρόσφατα από:", "notificationMostRecentFrom": ρόσφατα από: $name$",
"notificationFrom": "Από:", "notificationFrom": "Από:",
"notificationMostRecent": ιο πρόσφατα:", "notificationMostRecent": ρόσφατα:",
"sendFailed": "Αποτυχία αποστολής", "sendFailed": "Αποτυχία Αποστολής",
"mediaMessage": "Μήνυμα μέσου", "mediaMessage": "Μήνυμα πολυμέσων",
"messageBodyMissing": "Παρακαλώ εισάγετε ένα μήνυμα.", "messageBodyMissing": "Παρακαλώ εισάγετε ένα σώμα μηνύματος.",
"messageBody": "Message body", "messageBody": "Σώμα μηνύματος",
"unblockToSend": "Καταργήστε τον αποκλεισμό αυτής την επαφής για να στείλετε ένα μήνυμα.", "unblockToSend": "Καταργήστε τη φραγή αυτής τη επαφής για να στείλετε ένα μήνυμα.",
"unblockGroupToSend": "Καταργήστε τον αποκλεισμό αυτής της ομάδας για να στείλετε ένα μήνυμα.", "unblockGroupToSend": "Αυτή η ομάδα είναι σε φραγή. Καταργήστε την φραγή αν θέλετε να στείλετε ένα μήνυμα.",
"youChangedTheTimer": "Ορίσατε το χρονοδιακόπτη μηνυμάτων που εξαφανίζονται σε $time$", "youChangedTheTimer": "Ρυθμίσατε τον χρόνο εξαφάνισης μηνυμάτων σε $time$",
"timerSetOnSync": "Ενημέρωση χρονοδιακόπτη μηνυμάτων που εξαφανίζονται σε $time$", "timerSetOnSync": "Ενημερώθηκε ο χρόνος εξαφάνισης μηνυμάτων σε $time$",
"theyChangedTheTimer": "Ο/Η $name$ όρισε το χρονοδιακόπτη σε $time$", "theyChangedTheTimer": "Ρυθμίστηκε ο χρόνος εξαφάνισης μηνυμάτων από $name$ σε $time$",
"timerOption_0_seconds": "απενεργοποιημένο", "timerOption_0_seconds": "Απενεργοποιημένο",
"timerOption_5_seconds": "5 δευτερόλεπτα", "timerOption_5_seconds": "5 δευτερόλεπτα",
"timerOption_10_seconds": "10 δευτερόλεπτα", "timerOption_10_seconds": "10 δευτερόλεπτα",
"timerOption_30_seconds": "30 δευτερόλεπτα", "timerOption_30_seconds": "30 δευτερόλεπτα",
@ -192,11 +194,12 @@
"timerOption_12_hours": "12 ώρες", "timerOption_12_hours": "12 ώρες",
"timerOption_1_day": "1 ημέρα", "timerOption_1_day": "1 ημέρα",
"timerOption_1_week": "1 εβδομάδα", "timerOption_1_week": "1 εβδομάδα",
"disappearingMessages": "Μηνύματα που εξαφανίζονται", "timerOption_2_weeks": "2 εβδομάδες",
"changeNickname": "Αλλαγή Ψευδωνύμου", "disappearingMessages": "Εξαφανιζόμενα μηνύματα",
"clearNickname": "Clear nickname", "changeNickname": "Αλλαγή Ψευδώνυμου",
"clearNickname": "Διαγραφή Ψευδώνυμου",
"nicknamePlaceholder": "Νέο Ψευδώνυμο", "nicknamePlaceholder": "Νέο Ψευδώνυμο",
"changeNicknameMessage": "Εισάγετε ένα ψευδώνυμο για αυτόν το χρήστη", "changeNicknameMessage": "Εισαγάγετε ένα ψευδώνυμο για αυτόν τον χρήστη",
"timerOption_0_seconds_abbreviated": "απενεργοποιημένο", "timerOption_0_seconds_abbreviated": "απενεργοποιημένο",
"timerOption_5_seconds_abbreviated": "5δ", "timerOption_5_seconds_abbreviated": "5δ",
"timerOption_10_seconds_abbreviated": "10δ", "timerOption_10_seconds_abbreviated": "10δ",
@ -207,286 +210,299 @@
"timerOption_1_hour_abbreviated": "1ω", "timerOption_1_hour_abbreviated": "1ω",
"timerOption_6_hours_abbreviated": "6ω", "timerOption_6_hours_abbreviated": "6ω",
"timerOption_12_hours_abbreviated": "12ω", "timerOption_12_hours_abbreviated": "12ω",
"timerOption_1_day_abbreviated": "1η", "timerOption_1_day_abbreviated": "1ημ",
"timerOption_1_week_abbreviated": "1ε", "timerOption_1_week_abbreviated": "1εβδ",
"disappearingMessagesDisabled": "Απενεργοποιήθηκαν τα μηνύματα που εξαφανίζονται", "timerOption_2_weeks_abbreviated": "2εβδ",
"disabledDisappearingMessages": "Ο/Η $name$ απενεργοποίησε τα μηνύματα που εξαφανίζονται", "disappearingMessagesDisabled": "Τα εξαφανιζόμενα μηνύματα απενεργοποιήθηκαν",
"youDisabledDisappearingMessages": " Απενεργοποιήσατε τα μηνύματα που εξαφανίζονται", "disabledDisappearingMessages": "Τα εξαφανιζόμενα μηνύματα απενεργοποιήθηκαν από $name$.",
"timerSetTo": "Ο χρονοδιακόπτης έχει οριστεί σε $time$", "youDisabledDisappearingMessages": "Απενεργοποιήσατε τα εξαφανιζόμενα μηνύματα.",
"noteToSelf": "Να μην ξεχάσω ", "timerSetTo": "Ο χρόνος εξαφάνισης του μηνύματος ρυθμίστηκε σε $time$",
"noteToSelf": "Να μην Ξεχάσω",
"hideMenuBarTitle": "Απόκρυψη Γραμμής Μενού", "hideMenuBarTitle": "Απόκρυψη Γραμμής Μενού",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Εναλλαγή προβολής γραμμής μενού συστήματος.",
"startConversation": "Start new conversation…", "startConversation": "Έναρξη Νέας Συνομιλίας",
"invalidNumberError": "Μη έγκυρος αριθμός", "invalidNumberError": "Παρακαλώ ελέγξτε το Session ID ή το όνομα ONS και δοκιμάστε ξανά",
"failedResolveOns": "Αποτυχία επίλυσης ονόματος ONS", "failedResolveOns": "Αποτυχία επίλυσης ονόματος ONS",
"autoUpdateSettingTitle": "Αυτόματη Ενημέρωση", "autoUpdateSettingTitle": "Αυτόματη Ενημέρωση",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Αυτόματος έλεγχος για ενημερώσεις κατά την εκκίνηση.",
"autoUpdateNewVersionTitle": "Διαθέσιμη ενημέρωση του Session", "autoUpdateNewVersionTitle": "Διαθέσιμη ενημέρωση του Session",
"autoUpdateNewVersionMessage": "Μια νέα έκδοση του Session είναι διαθέσιμη.", "autoUpdateNewVersionMessage": "Υπάρχει μια νέα έκδοση του Session διαθέσιμη.",
"autoUpdateNewVersionInstructions": "Πατήστε Επανεκκίνηση για να γίνει εφαρμογή των αναβαθμίσεων.", "autoUpdateNewVersionInstructions": "Πατήστε Επανεκκίνηση του Session για να εφαρμόσετε τις ενημερώσεις.",
"autoUpdateRestartButtonLabel": "Επανεκκίνηση του Session", "autoUpdateRestartButtonLabel": "Επανεκκίνηση του Session",
"autoUpdateLaterButtonLabel": "Αργότερα", "autoUpdateLaterButtonLabel": "Αργότερα",
"autoUpdateDownloadButtonLabel": "Λήψη", "autoUpdateDownloadButtonLabel": "Λήψη",
"autoUpdateDownloadedMessage": "The new update has been downloaded.", "autoUpdateDownloadedMessage": "Ολοκληρώθηκε η λήψη της ενημέρωσης.",
"autoUpdateDownloadInstructions": α θέλατε να κατεβάσετε την ενημέρωση;", "autoUpdateDownloadInstructions": έλετε να κάνετε λήψη της ενημέρωσης;",
"leftTheGroup": "Ο/Η $name$ αποχώρησε από την ομάδα", "leftTheGroup": "Το μέλος $name$ αποχώρησε από την ομάδα.",
"multipleLeftTheGroup": "Ο/Η $name$ αποχώρησε από την ομάδα", "multipleLeftTheGroup": "$name$ αποχώρησαν από την ομάδα.",
"updatedTheGroup": "Η ομάδα ανανεώθηκε.", "updatedTheGroup": "Η ομάδα ενημερώθηκε",
"titleIsNow": "Ο τίτλος είναι πλέον \"$name$\".", "titleIsNow": "Το όνομα της ομάδας είναι πλέον «$name$».",
"joinedTheGroup": "Ο/Η $name$ συμμετέχει στην ομάδα.", "joinedTheGroup": "$name$ έγινε μέλος της ομάδας.",
"multipleJoinedTheGroup": "Ο/Η $names$ συμμετέχει στην ομάδα.", "multipleJoinedTheGroup": "Ο/Η $names$ συμμετέχει στην ομάδα.",
"kickedFromTheGroup": "$name$ αφαιρέθηκε από την ομάδα.", "kickedFromTheGroup": "Το μέλος $name$ έχει αφαιρεθεί από την ομάδα.",
"multipleKickedFromTheGroup": "$name$ αφαιρέθηκαν από την ομάδα.", "multipleKickedFromTheGroup": "Τα μέλη $name$ έχουν αφαιρεθεί από την ομάδα.",
"blockUser": "Φραγή", "block": "Block",
"unblockUser": "Ξεμπλοκάρισμα", "unblock": "Unblock",
"unblocked": "Μη-αποκλεισμενο", "unblocked": "Καταργήθηκε η φραγή",
"blocked": "Αποκλείστηκε", "blocked": "Σε φραγή",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Επαφές σε Φραγή",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Συνομιλίες",
"unbanUser": "Unban Χρήστη", "unbanUser": "Κατάργηση Αποκλεισμού Χρήστη",
"userUnbanned": "Το ban αφαιρέθηκε με επιτυχία", "userUnbanned": "Έγινε κατάργηση αποκλεισμού του χρήστη επιτυχώς",
"userUnbanFailed": "Το unban απέτυχε!", "userUnbanFailed": "Η κατάργηση αποκλεισμού απέτυχε!",
"banUser": "Αποβολή χρήστη", "banUser": "Αποκλεισμός Χρήστη",
"banUserAndDeleteAll": "Αποκλεισμός και διαγραφή όλων", "banUserAndDeleteAll": "Αποκλεισμός και Διαγραφή Όλων",
"userBanned": "User banned successfully", "userBanned": "Αποκλείστηκε επιτυχώς",
"userBanFailed": "Ο αποκλεισμός απέτυχε!", "userBanFailed": "Ο αποκλεισμός απέτυχε!",
"leaveGroup": "Έξοδος Από Ομάδα", "leaveGroup": "Αποχώρηση από την Ομάδα",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Αποχώρηση Ομάδας και Αφαίρεση σε Όλους",
"leaveGroupConfirmation": "Είστε βέβαιοι ότι θέλετε να φύγετε από αυτή την ομάδα;", "leaveGroupConfirmation": "Σίγουρα θέλετε να αποχωρήσετε από αυτήν την ομάδα;",
"leaveGroupConfirmationAdmin": "Όντας ο διαχειριστής αυτής της ομάδας, αν φύγετε θα αφαιρεθεί για όλα τα τρέχοντα μέλη. Είστε βέβαιοι ότι θέλετε να εγκαταλείψετε αυτήν την ομάδα;", "leaveGroupConfirmationAdmin": "Καθώς είστε ο διαχειριστής αυτής της ομάδας, εάν αποχωρήσετε από αυτήν, θα αφαιρεθεί για όλα τα τρέχοντα μέλη. Σίγουρα θέλετε να αποχωρήσετε από αυτήν την ομάδα;",
"cannotRemoveCreatorFromGroup": "Αδυναμία αφαίρεσης αυτού του χρήστη", "cannotRemoveCreatorFromGroup": "Δεν είναι δυνατή η αφαίρεση αυτού του χρήστη",
"cannotRemoveCreatorFromGroupDesc": "Δεν μπορείτε να αφαιρέσετε αυτόν τον χρήστη, καθώς είναι ο δημιουργός της ομάδας.", "cannotRemoveCreatorFromGroupDesc": "Δεν μπορείτε να αφαιρέσετε αυτόν τον χρήστη, καθώς είναι ο δημιουργός της ομάδας.",
"noContactsForGroup": "Δεν έχετε επαφές ακόμη", "noContactsForGroup": "Δεν έχετε επαφές ακόμα",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Αποτυχία προσθήκης χρήστη ως διαχειριστή",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Αποτυχία αφαίρεσης χρήστη από τη λίστα διαχειριστών",
"copyMessage": "Αντιγραφή κειμένου μηνύματος", "copyMessage": "Αντιγραφή κειμένου μηνύματος",
"selectMessage": "Επιλογή μηνύματος", "selectMessage": "Επιλογή μηνύματος",
"editGroup": "Επεξεργασία ομάδας", "editGroup": "Επεξεργασία ομάδας",
"editGroupName": "Επεξεργασία ονόματος ομάδας", "editGroupName": "Επεξεργασία ονόματος ομάδας",
"updateGroupDialogTitle": "Ενημέρωση $name$...", "updateGroupDialogTitle": "Ενημέρωση $name$",
"showRecoveryPhrase": "Φράση Ανάκτησης", "showRecoveryPhrase": "Φράση Ανάκτησης",
"yourSessionID": "Το Session ID", "yourSessionID": "Το Session ID σας",
"setAccountPasswordTitle": "Ορισμός Κωδικού Πρόσβασης", "setAccountPasswordTitle": "Κωδικός Πρόσβασης",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Να απαιτείται κωδικός πρόσβασης για το ξεκλείδωμα του Session.",
"changeAccountPasswordTitle": "Αλλαγή Κωδικού Λογαριασμού", "changeAccountPasswordTitle": "Αλλαγή Κωδικού Πρόσβασης",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Αλλαγή του κωδικού πρόσβασης που απαιτείται για το ξεκλείδωμα του Session.",
"removeAccountPasswordTitle": "Αφαίρεση Κωδικού Λογαριασμού", "removeAccountPasswordTitle": "Αφαίρεση Κωδικού Πρόσβασης",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Αφαίρεση του κωδικού πρόσβασης που απαιτείται για το ξεκλείδωμα του Session.",
"enterPassword": "Παρακαλώ εισάγετε τον κωδικό σας", "enterPassword": "Παρακαλώ εισαγάγετε τον κωδικό πρόσβασής σας",
"confirmPassword": "Επιβεβαίωση Κωδικού", "confirmPassword": "Επιβεβαίωση κωδικού πρόσβασης",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Παρακαλώ εισαγάγετε τον νέο σας κωδικό πρόσβασης",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Επιβεβαιώστε τον νέο κωδικό πρόσβασης",
"showRecoveryPhrasePasswordRequest": "Παρακαλώ εισάγετε τον κωδικό σας", "showRecoveryPhrasePasswordRequest": "Παρακαλώ εισαγάγετε τον κωδικό πρόσβασής σας",
"recoveryPhraseSavePromptMain": "Η φράση ανάκτησης είναι το κύριο κλειδί στο Session ID σας - μπορείτε να τη χρησιμοποιήσετε για να επαναφέρετε το Session ID σας εάν χάσετε πρόσβαση στη συσκευή σας. Αποθηκεύστε τη φράση ανάκτησης σε ασφαλές μέρος, και μην τη δώσετε σε κανέναν.", "recoveryPhraseSavePromptMain": "Η φράση σας ανάκτησης είναι το κύριο κλειδί στο Session ID σας - μπορείτε να τη χρησιμοποιήσετε για να επαναφέρετε το Session ID σας εάν χάσετε πρόσβαση στη συσκευή σας. Αποθηκεύστε τη φράση ανάκτησης σε ένα ασφαλές μέρος, και μην τη δώσετε σε κανέναν.",
"invalidOpenGroupUrl": "Μη έγκυρη URL", "invalidOpenGroupUrl": "Λανθασμένο URL",
"copiedToClipboard": "Αντιγράφηκε στο πρόχειρο", "copiedToClipboard": "Αντιγράφηκε",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Εισαγάγετε τον Κωδικό Πρόσβασης",
"password": "Κωδικός", "password": "Κωδικός Πρόσβασης",
"setPassword": "Ορισμός Κωδικού", "setPassword": "Ορισμός Κωδικού Πρόσβασης",
"changePassword": "Αλλαγή κωδικού", "changePassword": "Αλλαγή Κωδικού Πρόσβασης",
"createPassword": "Create your password", "createPassword": "Δημιουργήστε τον κωδικό σας πρόσβασης",
"removePassword": "Αφαίρεση Κωδικού", "removePassword": "Αφαίρεση Κωδικού Πρόσβασης",
"maxPasswordAttempts": "Μη έγκυρος κωδικός. Θα θέλατε να επαναφέρετε τη βάση δεδομένων;", "maxPasswordAttempts": "Λανθασμένος Κωδικός Πρόσβασης. Θέλετε να επαναφέρετε τη βάση δεδομένων;",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Παρακαλώ εισαγάγετε τον τρέχον σας κωδικό πρόσβασης",
"invalidOldPassword": "Ο παλιός κωδικός πρόσβασης δεν είναι έγκυρος", "invalidOldPassword": "Ο παλιός κωδικός πρόσβασης δεν είναι έγκυρος",
"invalidPassword": "Μη έγκυρος κωδικός", "invalidPassword": "Λανθασμένος κωδικός πρόσβασης",
"noGivenPassword": "Παρακαλώ εισάγετε τον κωδικό σας", "noGivenPassword": "Παρακαλώ εισαγάγετε τον κωδικό πρόσβασής σας",
"passwordsDoNotMatch": "Οι κωδικοί δεν ταιριάζουν", "passwordsDoNotMatch": "Οι Κωδικοί Πρόσβασης δεν ταιριάζουν",
"setPasswordInvalid": "Οι κωδικοί δεν ταιριάζουν", "setPasswordInvalid": "Οι Κωδικοί Πρόσβασης δεν ταιριάζουν",
"changePasswordInvalid": "Ο παλιός κωδικός που εισάγατε είναι λάθος", "changePasswordInvalid": "Ο παλιός κωδικός πρόσβασης που εισαγάγατε είναι λάθος",
"removePasswordInvalid": "Λάθος κωδικός", "removePasswordInvalid": "Λάθος κωδικός πρόσβασης",
"setPasswordTitle": "Ορισμός Κωδικού", "setPasswordTitle": "Ορίστηκε ο Κωδικός Πρόσβασης",
"changePasswordTitle": "Αλλαγμένος Κωδικός", "changePasswordTitle": "Ο Κωδικός Πρόσβασης Άλλαξε",
"removePasswordTitle": "Αφαιρέθηκε o Κωδικός", "removePasswordTitle": "Ο Κωδικός Πρόσβασης Καταργήθηκε",
"setPasswordToastDescription": "Έχει οριστεί κωδικός πρόσβασης. Κρατήστε τον ασφαλή.", "setPasswordToastDescription": "Ο κωδικός πρόσβασής σας έχει οριστεί. Παρακαλώ κρατήστε τον ασφαλή.",
"changePasswordToastDescription": "Ο κωδικός σας άλλαξε. Παρακαλώ διατηρήστε τον ασφαλή.", "changePasswordToastDescription": "Ο κωδικός πρόσβασής σας έχει αλλάξει. Παρακαλώ κρατήστε τον ασφαλή.",
"removePasswordToastDescription": "Έχετε αφαιρέσει τον κωδικό σας.", "removePasswordToastDescription": "Ο κωδικός πρόσβασής σας έχει αφαιρεθεί.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Έχετε συνδεθεί ήδη με αυτή την κοινότητα",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Δεν ήταν δυνατή η συμμετοχή στην κοινότητα",
"connectingToServer": "Γίνεται σύνδεση...", "connectingToServer": "Σύνδεση...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Συνδεθήκατε επιτυχώς με την κοινότητα",
"setPasswordFail": "Αποτυχία ορισμού κωδικού", "setPasswordFail": "Αποτυχία ορισμού κωδικού πρόσβασης",
"passwordLengthError": "Ο κωδικός πρόσβασης πρέπει να είναι μεταξύ 6 και 64 χαρακτήρων", "passwordLengthError": "Ο κωδικός πρόσβασης πρέπει να αποτελείται από 6 έως 64 χαρακτήρες",
"passwordTypeError": "Ο κωδικός πρόσβασης πρέπει να είναι συμβολοσειρά", "passwordTypeError": "Ο κωδικός πρόσβασης πρέπει να είναι συμβολοσειρά",
"passwordCharacterError": "Ο κωδικός πρόσβασης πρέπει να περιέχει μόνο γράμματα, αριθμούς και σύμβολα", "passwordCharacterError": "Ο κωδικός πρόσβασης πρέπει να περιέχει μόνο γράμματα, αριθμούς και σύμβολα",
"remove": "Αφαίρεση", "remove": "Αφαίρεση",
"invalidSessionId": "Μη έγκυρο Session ID", "invalidSessionId": "Μη έγκυρο Session ID",
"invalidPubkeyFormat": "Μη έγκυρο Pubkey Format", "invalidPubkeyFormat": "Μη Έγκυρη Μορφή Pubkey",
"emptyGroupNameError": "Παρακαλώ εισάγετε όνομα ομάδας", "emptyGroupNameError": "Παρακαλώ εισαγάγετε ένα όνομα ομάδας",
"editProfileModalTitle": "Προφίλ", "editProfileModalTitle": "Προφίλ",
"groupNamePlaceholder": "Όνομα Ομάδας", "groupNamePlaceholder": "Όνομα Ομάδας",
"inviteContacts": "Πρόσκληση φίλων", "inviteContacts": "Πρόσκληση Επαφών",
"addModerators": "Add Admins", "addModerators": "Προσθήκη Διαχειριστών",
"removeModerators": "Remove Admins", "removeModerators": "Αφαίρεση Διαχειριστών",
"addAsModerator": "Add as Admin", "addAsModerator": "Προσθήκη ως Διαχειριστής",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Αφαίρεση από Διαχειριστές",
"add": "Προσθήκη", "add": "Προσθήκη",
"addingContacts": "Προσθήκη επαφών στο $name$", "addingContacts": "Γίνεται προσθήκη επαφών σε $name$",
"noContactsToAdd": "Δεν υπάρχουν επαφές για προσθήκη", "noContactsToAdd": "Δεν υπάρχουν επαφές για προσθήκη",
"noMembersInThisGroup": "Κανένα άλλο μέλος σε αυτήν την ομάδα", "noMembersInThisGroup": "Δεν υπάρχουν άλλα μέλη σε αυτήν την ομάδα",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "δεν υπάρχουν διαχειριστές για αφαίρεση",
"onlyAdminCanRemoveMembers": "Δεν είστε ο δημιουργός", "onlyAdminCanRemoveMembers": "Δεν είστε ο δημιουργός",
"onlyAdminCanRemoveMembersDesc": "Μόνο ο δημιουργός της ομάδας μπορεί να αφαιρέσει χρήστες", "onlyAdminCanRemoveMembersDesc": "Μόνο ο δημιουργός της ομάδας μπορεί να αφαιρέσει χρήστες",
"createAccount": "Create Account", "createAccount": "Δημιουργία λογαριασμού",
"startInTrayTitle": "Διατήρηση στο πλαίσιο συστήματος", "startInTrayTitle": "Διατήρηση στην Περιοχή Ειδοποιήσεων",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Διατήρηση του Session στο παρασκήνιο όταν κλείνετε το παράθυρο.",
"yourUniqueSessionID": "Πείτε γεια στο Session ID σας", "yourUniqueSessionID": "Πείτε γεια στο Session ID σας",
"allUsersAreRandomly...": "Το Session ID σας είναι η μοναδική διεύθυνση που μπορούν να χρησιμοποιήσουν κάποιοι ώστε να επικοινωνήσουν μαζί σας στο Session. Χωρίς συσχέτιση με την πραγματική σας ταυτότητα, το Session ID σας είναι εντελώς ανώνυμο και ιδιωτικό βάση σχεδιασμού.", "allUsersAreRandomly...": "Το Session ID σας είναι η μοναδική διεύθυνση που μπορούν να χρησιμοποιήσουν κάποιοι για να επικοινωνήσουν μαζί σας στο Session. Χωρίς σύνδεση με την πραγματική σας ταυτότητα, το Session ID σας είναι σχεδιασμένο να είναι εντελώς ανώνυμο και ιδιωτικό.",
"getStarted": "Ας ξεκινήσουμε", "getStarted": "Ας ξεκινήσουμε",
"createSessionID": "Δημιουργία Session ID", "createSessionID": "Δημιουργία Session ID",
"recoveryPhrase": "Φράση Ανάκτησης", "recoveryPhrase": "Φράση Ανάκτησης",
"enterRecoveryPhrase": "Εισάγετε τη φράση ανάκτησης σας", "enterRecoveryPhrase": "Εισαγάγετε τη φράση σας ανάκτησης",
"displayName": "Εμφανιζόμενο Όνομα", "displayName": "Όνομα Εμφάνισης",
"anonymous": "Ανώνυμος", "anonymous": "Ανώνυμος",
"removeResidueMembers": "Κάνοντας κλικ στο ok θα αφαιρέσετε επίσης αυτά τα μέλη καθώς έφυγαν από την ομάδα.", "removeResidueMembers": "Κάνοντας κλικ στο ok θα αφαιρεθούν επίσης αυτά τα μέλη καθώς αποχώρησαν από την ομάδα.",
"enterDisplayName": "Εισάγετε ένα εμφανιζόμενο όνομα", "enterDisplayName": "Εισαγάγετε ένα όνομα εμφάνισης",
"continueYourSession": "Συνέχεια συνομιλίας", "continueYourSession": "Συνεχίστε το Session σας",
"linkDevice": "Σύνδεση Συσκευής", "linkDevice": "Σύνδεση Συσκευής",
"restoreUsingRecoveryPhrase": "Επαναφορά του λογαριασμού σας", "restoreUsingRecoveryPhrase": "Επαναφορά του λογαριασμού σας",
"or": "ή", "or": "ή",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Χρησιμοποιώντας αυτήν την υπηρεσία, συμφωνείτε με τους <a href=\"https://getsession.org/terms-of-service \">Όρους Παροχής Υπηρεσιών</a> και την <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Πολιτική Απορρήτου</a> μας",
"beginYourSession": "Ξεκινήστε τη συνεδρία σας.", "beginYourSession": "Ξεκινήστε ένα Session.",
"welcomeToYourSession": "Καλώς ήλθατε στο Session", "welcomeToYourSession": "Καλώς ήλθατε στο Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Αναζήτηση σε συνομιλίες και επαφές",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Αναζήτηση σε επαφές",
"enterSessionID": "Εισαγωγή Session ID", "enterSessionID": "Εισαγάγετε Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Εισαγάγετε το Session ID ή το ONS της επαφής σας",
"message": "Μήνυμα", "message": "Μήνυμα",
"appearanceSettingsTitle": "Εμφάνιση", "appearanceSettingsTitle": "Εμφάνιση",
"privacySettingsTitle": "Απόρρητο", "privacySettingsTitle": "Απόρρητο",
"notificationsSettingsTitle": "Ειδοποιήσεις", "notificationsSettingsTitle": "Ειδοποιήσεις",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Περιεχόμενο Ειδοποίησης",
"recoveryPhraseEmpty": "Εισάγετε τη φράση ανάκτησης σας", "notificationPreview": "Προεπισκόπηση",
"displayNameEmpty": "Please pick a display name", "recoveryPhraseEmpty": "Εισαγάγετε τη φράση σας ανάκτησης",
"displayNameEmpty": "Παρακαλώ εισαγάγετε ένα όνομα εμφάνισης",
"displayNameTooLong": "Display name is too long",
"members": "$count$ μέλη", "members": "$count$ μέλη",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Γίνετε μέλος",
"createGroup": "Create Group", "joinOpenGroup": "Γίνετε μέλος της Κοινότητας",
"create": "Create", "createGroup": "Δημιουργία Ομάδας",
"create": "Δημιουργία",
"createClosedGroupNamePrompt": "Όνομα Ομάδας", "createClosedGroupNamePrompt": "Όνομα Ομάδας",
"createClosedGroupPlaceholder": "Εισάγετε όνομα ομάδας", "createClosedGroupPlaceholder": "Εισαγάγετε ένα όνομα ομάδας",
"openGroupURL": "Community URL", "openGroupURL": "URL Κοινότητας",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Εισαγάγετε URL Κοινότητας",
"next": "Επόμενο", "next": "Επόμενο",
"invalidGroupNameTooShort": "Παρακαλούμε εισάγετε ένα νέο όνομα ομάδας", "invalidGroupNameTooShort": "Παρακαλώ εισαγάγετε ένα όνομα ομάδας",
"invalidGroupNameTooLong": "Παρακαλούμε εισάγετε ένα μικρότερο όνομα ομάδας", "invalidGroupNameTooLong": "Παρακαλώ εισαγάγετε ένα μικρότερο όνομα ομάδας",
"pickClosedGroupMember": "Παρακαλώ επιλέξτε τουλάχιστον 1 μέλος ομάδας", "pickClosedGroupMember": "Παρακαλώ επιλέξτε τουλάχιστον 1 μέλος από την ομάδα",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Μια ομάδα δεν μπορεί να έχει πάνω από 100 μέλη",
"noBlockedContacts": "Καμία μπλοκαρισμένη επαφή", "noBlockedContacts": "Δεν έχετε επαφές σε φραγή.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Ο χρήστης προστέθηκε στη λίστα διαχειριστών",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Ο χρήστης αφαιρέθηκε από τη λίστα διαχειριστών",
"orJoinOneOfThese": συνδεθείτε σε ένα από αυτά...", "orJoinOneOfThese": γίνετε μέλος σε ένα από αυτά...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Μετάφραση του Session",
"closedGroupInviteFailTitle": "Η Πρόσκληση Στην Ομάδα Απέτυχε", "closedGroupInviteFailTitle": "Η Πρόσκληση σε Ομάδα Απέτυχε",
"closedGroupInviteFailTitlePlural": "Οι Προσκλήσεις Ομάδας Απέτυχε", "closedGroupInviteFailTitlePlural": "Οι Προσκλήσεις σε Ομάδα Απέτυχαν",
"closedGroupInviteFailMessage": "Αδυναμία επιτυχούς πρόσκλησης ενός μέλους ομάδας", "closedGroupInviteFailMessage": "Δεν είναι δυνατή η πρόσκληση μέλους της ομάδας",
"closedGroupInviteFailMessagePlural": "Δεν είναι δυνατή η πρόσκληση όλων των μελών της ομάδας", "closedGroupInviteFailMessagePlural": "Δεν είναι δυνατή η πρόσκληση όλων των μελών της ομάδας",
"closedGroupInviteOkText": "Επαναλάβετε τις προσκλήσεις", "closedGroupInviteOkText": "Επανάληψη προσκλήσεων",
"closedGroupInviteSuccessTitlePlural": "Προσκλήσεις Ομάδας Ολοκληρώθηκαν", "closedGroupInviteSuccessTitlePlural": "Επιτυχείς Προσκλήσεις Ομάδας",
"closedGroupInviteSuccessTitle": "Επιτυχής Πρόσκληση Ομάδας", "closedGroupInviteSuccessTitle": "Επιτυχής Πρόσκληση Ομάδας",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Επιτυχής πρόσκληση μελών ομάδας",
"notificationForConvo": "Ειδοποιήσεις", "notificationForConvo": "Ειδοποιήσεις",
"notificationForConvo_all": "Όλα", "notificationForConvo_all": "Όλες",
"notificationForConvo_disabled": "Ανενεργό", "notificationForConvo_disabled": "Απενεργοποιημένη",
"notificationForConvo_mentions_only": "Μόνο αναφορές", "notificationForConvo_mentions_only": "Μόνο αναφορές",
"onionPathIndicatorTitle": "Διαδρομή", "onionPathIndicatorTitle": "Διαδρομή",
"onionPathIndicatorDescription": "Το Session αποκρύπτει την IP σας, δρομολογώντας τα μηνύματά σας μέσω αρκετών Κόμβων υπηρεσιών στο αποκεντρωμένο Session δίκτυο. Αυτές είναι οι χώρες που δρομολογείται η σύνδεση σας αυτή τη στιγμή:", "onionPathIndicatorDescription": "Το Session κρύβει την IP σας δρομολογώντας τα μηνύματά σας μέσω αρκετών Κόμβων Εξυπηρέτησης στο αποκεντρωμένο δίκτυο του Session. Αυτές είναι οι χώρες από τις οποίες δρομολογείται η σύνδεσή σας αυτήν τη στιγμή:",
"unknownCountry": "Άγνωστη Χώρα", "unknownCountry": "Άγνωστη Χώρα",
"device": "Συσκευή", "device": "Συσκευή",
"destination": "Προορισμός", "destination": "Προορισμός",
"learnMore": "Μάθετε περισσότερα", "learnMore": "Μάθετε περισσότερα",
"linkVisitWarningTitle": "Ανοίξτε αυτόν τον σύνδεσμο στον περιηγητή σας;", "linkVisitWarningTitle": "Άνοιγμα αυτού του συνδέσμου στο πρόγραμμα περιήγησής σας;",
"linkVisitWarningMessage": "Είστε βέβαιοι ότι θέλετε να ανοίξετε το $url$ στο πρόγραμμα περιήγησής σας;", "linkVisitWarningMessage": "Σίγουρα θέλετε να ανοίξετε το $url$ στο πρόγραμμα περιήγησής σας;",
"open": "Άνοιγμα", "open": "Άνοιγμα",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Αυτόματη Αναπαραγωγή Ηχητικών Μηνυμάτων",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Αυτόματη αναπαραγωγή διαδοχικών ηχητικών μηνυμάτων.",
"clickToTrustContact": "Κλικ για λήψη πολυμέσων", "clickToTrustContact": "Κλικ για λήψη πολυμέσων",
"trustThisContactDialogTitle": "Έμπιστο $name$;", "trustThisContactDialogTitle": "Εμπιστεύεστε την επαφή $name$;",
"trustThisContactDialogDescription": "Είστε βέβαιοι ότι θέλετε να κατεβάσετε τα πολυμέσα που στάλθηκαν από $name$;", "trustThisContactDialogDescription": "Σίγουρα θέλετε να κάνετε λήψη των πολυμέσων που έχουν σταλεί από $name$;",
"pinConversation": "Καρφίτσωμα Συνομιλίας", "pinConversation": "Καρφίτσωμα Συνομιλίας",
"unpinConversation": "Ξεκαρφίτσωμα Συνομιλίας", "unpinConversation": "Ξεκαρφίτσωμα Συνομιλίας",
"showUserDetails": "Εμφάνιση Στοιχείων Χρήστη", "markUnread": "Mark Unread",
"showUserDetails": "Εμφάνιση Λεπτομερειών Χρήστη",
"sendRecoveryPhraseTitle": "Αποστολή Φράσης Ανάκτησης", "sendRecoveryPhraseTitle": "Αποστολή Φράσης Ανάκτησης",
"sendRecoveryPhraseMessage": "Προσπαθείτε να στείλετε τη φράση ανάκτησης σας, η οποία μπορεί να χρησιμοποιηθεί για να έχει πρόσβαση στο λογαριασμό σας. Είστε βέβαιοι ότι θέλετε να στείλετε αυτό το μήνυμα;", "sendRecoveryPhraseMessage": "Προσπαθείτε να στείλετε τη φράση σας ανάκτησης που μπορεί να χρησιμοποιηθεί από κάποιον για να αποκτήσει πρόσβαση στον λογαριασμό σας. Σίγουρα θέλετε να στείλετε αυτό το μήνυμα;",
"dialogClearAllDataDeletionFailedTitle": "Τα δεδομένα δεν διαγράφηκαν", "dialogClearAllDataDeletionFailedTitle": "Τα δεδομένα δε διαγράφηκαν",
"dialogClearAllDataDeletionFailedDesc": "Τα δεδομένα δεν διαγράφονται με άγνωστο σφάλμα. Θέλετε να διαγράψετε δεδομένα από αυτήν τη συσκευή;", "dialogClearAllDataDeletionFailedDesc": "Τα δεδομένα δε διαγράφηκαν, με άγνωστο σφάλμα. Θέλετε να διαγράψετε τα δεδομένα μόνο από αυτή τη συσκευή;",
"dialogClearAllDataDeletionFailedTitleQuestion": "Θέλετε να διαγράψετε δεδομένα από αυτή τη συσκευή;", "dialogClearAllDataDeletionFailedTitleQuestion": "Θέλετε να διαγράψετε τα δεδομένα μόνο από αυτή τη συσκευή;",
"dialogClearAllDataDeletionFailedMultiple": "Τα δεδομένα δεν διαγράφονται από αυτούς τους Κόμβους Υπηρεσίας: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Τα δεδομένα δε διαγράφηκαν από αυτούς τους Κόμβους Εξυπηρέτησης: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Θέλετε να διαγράψετε μόνο αυτή τη συσκευή ή να διαγράψετε και τα δεδομένα σας από το δίκτυο;",
"deviceOnly": "Clear Device Only", "clearDevice": "Διαγραφή Συσκευής",
"entireAccount": "Clear Device and Network", "tryAgain": "Προσπαθήστε Ξανά",
"areYouSureDeleteDeviceOnly": "Είστε βέβαιοι ότι θέλετε να διαγράψετε τα δεδομένα της συσκευής σας μόνο;", "areYouSureClearDevice": "Σίγουρα θέλετε να διαγράψετε τη συσκευή σας;",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "deviceOnly": "Διαγραφή Μόνο Συσκευής",
"iAmSure": "Είμαι σίγουρος", "entireAccount": "Διαγραφή Συσκευή Και Δίκτυο",
"areYouSureDeleteDeviceOnly": "Σίγουρα θέλετε να διαγράψετε μόνο τα δεδομένα της συσκευής σας;",
"areYouSureDeleteEntireAccount": "Σίγουρα θέλετε να διαγράψετε τα δεδομένα σας από το δίκτυο; Εάν συνεχίσετε, δε θα μπορείτε να επαναφέρετε τα μηνύματα ή τις επαφές σας.",
"iAmSure": "Σίγουρα",
"recoveryPhraseSecureTitle": "Σχεδόν τελειώσατε!", "recoveryPhraseSecureTitle": "Σχεδόν τελειώσατε!",
"recoveryPhraseRevealMessage": "Ασφαλίστε το λογαριασμό σας αποθηκεύοντας τη φράση ανάκτησης σας. Αποκαλύψτε τη φράση ανάκτησης σας και στη συνέχεια αποθηκεύστε την με ασφάλεια για να την ασφαλίσετε.", "recoveryPhraseRevealMessage": "Ασφαλίστε τον λογαριασμό σας αποθηκεύοντας τη φράση σας ανάκτησης. Αποκαλύψτε τη φράση ανάκτησης και, στη συνέχεια, αποθηκεύστε τη με ασφάλεια για να την ασφαλίσετε.",
"recoveryPhraseRevealButtonText": "Αποκάλυψη Φράσης Ανάκτησης", "recoveryPhraseRevealButtonText": "Αποκάλυψη Φράσης Ανάκτησης",
"notificationSubtitle": "Ειδοποιήσεις - $setting$", "notificationSubtitle": "Ειδοποιήσεις - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Θα Θέλαμε Πολύ τα Σχόλιά σας",
"faq": "FAQ", "faq": "Συχνές Ερωτήσεις",
"support": "Support", "support": "Υποστήριξη",
"clearAll": "Απαλοιφή Όλων", "clearAll": "Διαγραφή Όλων",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Διαγραφή Δεδομένων",
"messageRequests": "Αιτήματα Μηνυμάτων", "messageRequests": "Αιτήματα Μηνυμάτων",
"requestsSubtitle": "Αιτήματα σε Εκκρεμότητα", "requestsSubtitle": "Αιτήματα σε Εκκρεμότητα",
"requestsPlaceholder": "Δεν υπάρχουν αιτήματα", "requestsPlaceholder": "Δεν υπάρχουν αιτήματα",
"hideRequestBannerDescription": "Απόκρυψη του banner αιτήματος μηνύματος, μέχρι να λάβετε ένα νέο αίτημα.", "hideRequestBannerDescription": "Απόκρυψη του banner Αιτήματος Μηνύματος μέχρι να λάβετε ένα νέο αίτημα μηνύματος.",
"incomingCallFrom": "Εισερχόμενη κλήση από '$name$'", "incomingCallFrom": "Εισερχόμενη κλήση από «$name$»",
"ringing": "Χτυπάει...", "ringing": "Καλεί...",
"establishingConnection": "Δημιουργία σύνδεσης...", "establishingConnection": "Δημιουργία σύνδεσης...",
"accept": "Αποδοχή", "accept": "Αποδοχή",
"decline": "Απόρριψη", "decline": "Απόρριψη",
"endCall": "Τέλος κλήσης", "endCall": "Τέλος κλήσης",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Άδειες",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Βοήθεια",
"cameraPermissionNeededTitle": "Απαιτούνται δικαιώματα φωνής/βιντεοκλήσεων", "cameraPermissionNeededTitle": "Απαιτείται άδεια για Κλήσεις Φωνής και Βίντεο",
"cameraPermissionNeeded": "Μπορείτε να ενεργοποιήσετε τα δικαιώματα 'Φωνητικές και βίντεο κλήσεων' στις Ρυθμίσεις Απορρήτου.", "cameraPermissionNeeded": "Μπορείτε να ενεργοποιήσετε την άδεια «Κλήσεις Φωνής και Βίντεο» στις Ρυθμίσεις Απορρήτου.",
"unableToCall": "Ακυρώστε πρώτα την τρέχουσα κλήση σας", "unableToCall": "Ακυρώστε πρώτα την τρέχουσα κλήση σας",
"unableToCallTitle": "Αδυναμία έναρξης νέας κλήσης", "unableToCallTitle": "Δεν είναι δυνατή η έναρξη νέας κλήσης",
"callMissed": "Αναπάντητη κλήση από $name$", "callMissed": "Αναπάντητη κλήση από $name$",
"callMissedTitle": "Αναπάντητη κλήση", "callMissedTitle": "Αναπάντητη κλήση",
"noCameraFound": "Δεν βρέθηκε κάμερα", "noCameraFound": "Δε βρέθηκε κάμερα",
"noAudioInputFound": "Δεν βρέθηκε είσοδος ήχου", "noAudioInputFound": "Δε βρέθηκε είσοδος ήχου",
"noAudioOutputFound": "Δεν βρέθηκε έξοδος ήχου", "noAudioOutputFound": "Δε βρέθηκε έξοδος ήχου",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Κλήσεις Φωνής και Βίντεο (Beta)",
"callMissedCausePermission": "Η αναπάντητη από '$name$' χάθηκε επειδή πρέπει να ενεργοποιήσετε την άδεια 'Φωνητικά και βίντεοκλήσεις' στις Ρυθμίσεις Απορρήτου.", "callMissedCausePermission": "Η κλήση από «$name$» χάθηκε επειδή πρέπει να ενεργοποιήσετε την άδεια «Κλήσεις Φωνής και Βίντεο» στις Ρυθμίσεις Απορρήτου.",
"callMissedNotApproved": "Η κλήση χάθηκε από το '$name$' καθώς δεν έχετε εγκρίνει αυτή τη συνομιλία ακόμα. Στείλτε πρώτοι ένα μήνυμα.", "callMissedNotApproved": "Η κλήση από «$name$» χάθηκε καθώς δεν έχετε εγκρίνει αυτή τη συνομιλία ακόμα. Στείλτε ένα μήνυμα πρώτα.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Ενεργοποιεί κλήσεις φωνής και βίντεο από και προς άλλους χρήστες.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Η IP διεύθυνσή σας είναι ορατή στον συνομιλητή σας και σε έναν Oxen Foundation server κατά τη χρήση κλήσεων beta. Σίγουρα θέλετε να ενεργοποιήσετε τις Κλήσεις Φωνής και Βίντεο;",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Κλήσεις Φωνής και Βίντεο (Beta)",
"startedACall": "Καλέσατε $name$", "startedACall": "Καλέσατε $name$",
"answeredACall": "Κλήση με $name$", "answeredACall": "Κλήση με $name$",
"trimDatabase": "Περικοπή Βάσης Δεδομένων", "trimDatabase": "Περικοπή Βάσης Δεδομένων",
"trimDatabaseDescription": "Μειώνει το μέγεθος της βάσης δεδομένων μηνυμάτων στα τελευταία 10.000 μηνύματά σας.", "trimDatabaseDescription": "Μειώνει το μέγεθος της βάσης δεδομένων των μηνυμάτων σας στα τελευταία 10.000 μηνύματα.",
"trimDatabaseConfirmationBody": "Είστε βέβαιοι ότι θέλετε να διαγράψετε τα $deleteAmount$ παλαιότερα ληφθέντα μηνύματα;", "trimDatabaseConfirmationBody": "Είστε βέβαιοι ότι θέλετε να διαγράψετε τα $deleteAmount$ παλαιότερα εισερχόμενα μηνύματα;",
"pleaseWaitOpenAndOptimizeDb": "Παρακαλώ περιμένετε όσο η βάση δεδομένων σας ανοίγει και βελτιστοποιείται...", "pleaseWaitOpenAndOptimizeDb": "Παρακαλώ περιμένετε όσο η βάση δεδομένων σας ανοίγει και βελτιστοποιείται",
"messageRequestPending": "Το αίτημα μηνύματος σας είναι σε εκκρεμότητα αυτή τη στιγμή", "messageRequestPending": "Το αίτημα μηνύματός σας βρίσκεται σε εκκρεμότητα",
"messageRequestAccepted": "Το αίτημα του μηνύματος σας έχει γίνει αποδεκτό", "messageRequestAccepted": "Το αίτημα μηνύματός σας έγινε δεκτό",
"messageRequestAcceptedOurs": "Αποδεχθήκατε το αίτημα μηνύματος $name$", "messageRequestAcceptedOurs": "Αποδεχτήκατε το αίτημα μηνύματος από $name$",
"messageRequestAcceptedOursNoName": "Αποδεχθήκατε το αίτημα μηνύματος", "messageRequestAcceptedOursNoName": "Αποδεχτήκατε το αίτημα μηνύματος",
"declineRequestMessage": "Είστε βέβαιοι ότι θέλετε να απορρίψετε αυτό το αίτημα μηνύματος;", "declineRequestMessage": "Σίγουρα θέλετε να απορρίψετε αυτό το αίτημα μηνύματος;",
"respondingToRequestWarning": "Η αποστολή ενός μηνύματος σε αυτόν τον χρήστη θα αποδεχθεί αυτόματα το αίτημά του και θα αποκαλύψει το Session ID σας.", "respondingToRequestWarning": "Η αποστολή μηνύματος σε αυτόν τον χρήστη θα αποδεχτεί αυτόματα το αίτημα μηνύματός του και θα αποκαλύψει το Session ID σας.",
"hideRequestBanner": "Απόκρυψη Banner Αίτησης Μηνύματος", "hideRequestBanner": "Απόκρυψη Banner Αιτήματος Μηνύματος",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Αιτήματα Μηνυμάτων",
"noMessageRequestsPending": "Δεν υπάρχουν αιτήματα μηνυμάτων σε εκκρεμότητα", "noMessageRequestsPending": "Δεν υπάρχουν αιτήματα μηνυμάτων σε εκκρεμότητα",
"noMediaUntilApproved": "Δεν μπορείτε να στείλετε συνημμένα μέχρι να εγκριθεί η συνομιλία", "noMediaUntilApproved": "Δεν μπορείτε να στείλετε συνημμένα έως ότου η συνομιλία εγκριθεί",
"mustBeApproved": "Αυτή η συνομιλία πρέπει να γίνει αποδεκτή για να χρησιμοποιηθεί αυτή η δυνατότητα", "mustBeApproved": "Αυτή η συνομιλία πρέπει να γίνει αποδεκτή για να χρησιμοποιηθεί αυτή η λειτουργία",
"youHaveANewFriendRequest": "Έχετε ένα νέο αίτημα φιλίας", "youHaveANewFriendRequest": "Έχετε ένα νέο αίτημα φιλίας",
"clearAllConfirmationTitle": "Εκκαθάριση Όλων Των Αιτήσεων Μηνυμάτων", "clearAllConfirmationTitle": "Διαγραφή Όλων των Αιτημάτων Μηνυμάτων",
"clearAllConfirmationBody": "Είστε βέβαιοι ότι θέλετε να καθαρίσετε όλα τα αιτήματα μηνύματος;", "clearAllConfirmationBody": "Σίγουρα θέλετε να διαγράψετε όλα τα αιτήματα μηνυμάτων;",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Απόκρυψη", "hideBanner": "Απόκρυψη",
"openMessageRequestInboxDescription": "Δείτε τα εισερχόμενα αιτήματος μηνύματος σας", "someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "openMessageRequestInboxDescription": "Δείτε τα εισερχόμενα Αιτήματα Μηνύματος",
"expandedReactionsText": "Show Less", "clearAllReactions": "Σίγουρα θέλετε να διαγράψετε όλα τα $emoji$;",
"reactionNotification": "Reacts to a message with $emoji$", "expandedReactionsText": "Εμφάνιση Λιγότερων",
"otherSingular": "$number$ other", "reactionNotification": "Αντιδρά σε ένα μήνυμα με $emoji$",
"otherPlural": "$number$ others", "rateLimitReactMessage": "Ηρεμήστε! Έχετε στείλει πάρα πολλές αντιδράσεις emoji. Δοκιμάστε ξανά σύντομα",
"reactionPopup": "reacted with", "otherSingular": "άλλος $number$",
"otherPlural": "$number$ άλλοι",
"reactionPopup": "αντέδρασαν με",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Και άλλος $otherSingular$ αντέδρασε με <span>$emoji$</span> σε αυτό το μήνυμα",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Και άλλοι $otherPlural$ αντέδρασαν με <span>$emoji$</span> σε αυτό το μήνυμα"
} }

View File

@ -71,9 +71,10 @@
"show": "Show", "show": "Show",
"sessionMessenger": "Session", "sessionMessenger": "Session",
"noSearchResults": "No results found for \"$searchTerm$\"", "noSearchResults": "No results found for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups: $count$",
"contactsHeader": "Contacts", "contactsHeader": "Contacts",
"messagesHeader": "Conversations", "messagesHeader": "Conversations",
"searchMessagesHeader": "Messages: $count$",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Typing animation for this conversation",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Avatar for contact $name$",
@ -102,6 +103,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Delete Messages", "deleteMessages": "Delete Messages",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "From:", "from": "From:",
@ -179,7 +181,6 @@
"messageBodyMissing": "Please enter a message body.", "messageBodyMissing": "Please enter a message body.",
"messageBody": "Message body", "messageBody": "Message body",
"unblockToSend": "Unblock this contact to send a message.", "unblockToSend": "Unblock this contact to send a message.",
"unblockGroupToSend": "This group is blocked. Unlock it if you would like to send a message.",
"youChangedTheTimer": "You set the disappearing message timer to $time$", "youChangedTheTimer": "You set the disappearing message timer to $time$",
"timerSetOnSync": "Updated disappearing message timer to $time$", "timerSetOnSync": "Updated disappearing message timer to $time$",
"theyChangedTheTimer": "$name$ set the disappearing message timer to $time$", "theyChangedTheTimer": "$name$ set the disappearing message timer to $time$",
@ -242,8 +243,8 @@
"multipleJoinedTheGroup": "$name$ joined the group.", "multipleJoinedTheGroup": "$name$ joined the group.",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -414,6 +415,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -486,7 +488,11 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",

View File

@ -16,8 +16,8 @@
"editMenuCut": "Eltondi", "editMenuCut": "Eltondi",
"editMenuCopy": "Kopii", "editMenuCopy": "Kopii",
"editMenuPaste": "Alglui", "editMenuPaste": "Alglui",
"editMenuDeleteContact": "Delete Contact", "editMenuDeleteContact": "Forigi kontakton",
"editMenuDeleteGroup": "Delete Group", "editMenuDeleteGroup": "Forigi grupon",
"editMenuSelectAll": "Elekti ĉion", "editMenuSelectAll": "Elekti ĉion",
"windowMenuClose": "Fermi fenestron", "windowMenuClose": "Fermi fenestron",
"windowMenuMinimize": "Plejetigi", "windowMenuMinimize": "Plejetigi",
@ -27,21 +27,21 @@
"viewMenuZoomOut": "Elzomi", "viewMenuZoomOut": "Elzomi",
"viewMenuToggleFullScreen": "Baskuligi plenekranan reĝimon", "viewMenuToggleFullScreen": "Baskuligi plenekranan reĝimon",
"viewMenuToggleDevTools": "Baskuligi programistajn ilojn", "viewMenuToggleDevTools": "Baskuligi programistajn ilojn",
"contextMenuNoSuggestions": "No Suggestions", "contextMenuNoSuggestions": "Neniaj proponoj",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Komunuma invitilo",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Ĉu aliĝi $roomName$",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Ĉu vi certe volas algrupiĝi ĉi tie",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enigu sesian ID aŭ ONS-an nomon",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Ekrekonversiu per enigi sesian ID de iu aŭ diskonigi vian ID kun ili.",
"loading": "Ŝargante…", "loading": "Ŝargante…",
"done": "Farite", "done": "Farite",
"youLeftTheGroup": "Vi forlasis la grupon", "youLeftTheGroup": "Vi forlasis la grupon",
"youGotKickedFromGroup": "Vi estas forigita el la grupo.", "youGotKickedFromGroup": "Vi estas forigita el la grupo.",
"unreadMessages": "Unread Messages", "unreadMessages": "Nelegitaj mesaĝoj",
"debugLogExplanation": "This log will be saved to your desktop.", "debugLogExplanation": "Ĉi tiu protokolo konservitos al via labortablo.",
"reportIssue": "Report a Bug", "reportIssue": "Raporti eraron",
"markAllAsRead": "Mark All as Read", "markAllAsRead": "Marki ĉiujn kiel legitaj",
"incomingError": "Okazis eraro dum ricevo de mesaĝo", "incomingError": "Okazis eraro dum ricevo de mesaĝo",
"media": "Aŭdvidaĵo", "media": "Aŭdvidaĵo",
"mediaEmptyState": "Vi havas neniun aŭdvidaĵon en tiu interparolo", "mediaEmptyState": "Vi havas neniun aŭdvidaĵon en tiu interparolo",
@ -62,23 +62,23 @@
"unableToLoadAttachment": "Ne eblas ŝargi la elektitan kunsendaĵon.", "unableToLoadAttachment": "Ne eblas ŝargi la elektitan kunsendaĵon.",
"offline": "Eksterrete", "offline": "Eksterrete",
"debugLog": "Sencimiga protokolo", "debugLog": "Sencimiga protokolo",
"showDebugLog": "Export Logs", "showDebugLog": "Eksporti protokolojn",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Eksportu viajn protokolojn, post tiam alŝutu per helpejo de sesio.",
"goToReleaseNotes": "Iri al eldonaj notoj", "goToReleaseNotes": "Iri al eldonaj notoj",
"goToSupportPage": "Iri al helppaĝo", "goToSupportPage": "Iri al helppaĝo",
"about": "About", "about": "Pri",
"show": "Malkaŝi", "show": "Malkaŝi",
"sessionMessenger": "Session", "sessionMessenger": "Sesio",
"noSearchResults": "Neniu rezulto pri „$searchTerm$“", "noSearchResults": "Neniu rezulto pri „$searchTerm$“",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Kontaktoj kaj grupoj",
"contactsHeader": "Kontaktaro", "contactsHeader": "Kontaktaro",
"messagesHeader": "Mesaĝoj", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Argordoj",
"typingAlt": "Tajp-indikiloj por tiu interparolo", "typingAlt": "Tajp-indikiloj por tiu interparolo",
"contactAvatarAlt": "Avataro el kontakto $name$", "contactAvatarAlt": "Avataro el kontakto $name$",
"downloadAttachment": "Elŝuti kunsendaĵon", "downloadAttachment": "Elŝuti kunsendaĵon",
"replyToMessage": "Respondi al la mesaĝo", "replyToMessage": "Respondi al la mesaĝo",
"replyingToMessage": "Replying to:", "replyingToMessage": "Respondi al:",
"originalMessageNotFound": "Origina mesaĝo ne troveblas", "originalMessageNotFound": "Origina mesaĝo ne troveblas",
"you": "Vi", "you": "Vi",
"audioPermissionNeededTitle": "Microphone access required", "audioPermissionNeededTitle": "Microphone access required",
@ -86,95 +86,97 @@
"audio": "Sono", "audio": "Sono",
"video": "Videaĵo", "video": "Videaĵo",
"photo": "Foto", "photo": "Foto",
"cannotUpdate": "Cannot Update", "cannotUpdate": "Neaktualebligas",
"cannotUpdateDetail": "Session Desktop failed to update, but there is a new version available. Please go to https://getsession.org/ and install the new version manually, then either contact support or file a bug about this problem.", "cannotUpdateDetail": "Session Desktop ne povis aktualigi, nova versio elŝuteblas, bonvolu iru al https://getsession.org/ kaj instalu ĝin malaŭtomate, post tiam raportu ĉi tiun problem.",
"ok": "Bone", "ok": "Bone",
"cancel": "Nuligi", "cancel": "Nuligi",
"close": "Close", "close": "Fermi",
"continue": "Continue", "continue": "Daŭrigi",
"error": "Eraro", "error": "Eraro",
"delete": "Forigi", "delete": "Forigi",
"messageDeletionForbidden": "You dont have permission to delete others messages", "messageDeletionForbidden": "Vi ne permesiĝas forigi la mesaĝojn de aliuloj",
"deleteJustForMe": "Delete just for me", "deleteJustForMe": "Forigi nur por mi",
"deleteForEveryone": "Delete for everyone", "deleteForEveryone": "Forigi por ĉiuj",
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Ĉu vi volas forigi la mesaĝojn de $count$",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Ĉu vi volas forigi la mesaĝon",
"deleteMessages": "Forigi mesaĝojn", "deleteMessages": "Forigi mesaĝojn",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"messageDeletedPlaceholder": "This message has been deleted", "deleted": "$count$ forigitis",
"messageDeletedPlaceholder": "Ĉi tiu mesaĝo forigitis",
"from": "El", "from": "El",
"to": "al", "to": "al",
"sent": "Sendita", "sent": "Sendita",
"received": "Ricevita", "received": "Ricevita",
"sendMessage": "Sendi mesaĝon", "sendMessage": "Sendi mesaĝon",
"groupMembers": "Grupanoj", "groupMembers": "Uloj",
"moreInformation": "More information", "moreInformation": "Pli informoj",
"resend": "Resend", "resend": "Resendi",
"deleteConversationConfirmation": "Ĉu porĉiame forigi tiun ĉi tutan interparolon?", "deleteConversationConfirmation": "Ĉu porĉiame forigi tiun ĉi tutan interparolon?",
"clear": "Clear", "clear": "Forviŝi",
"clearAllData": "Clear All Data", "clearAllData": "Forviŝi ĉiujn datumojn",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Tio daŭre forigos viajn mesaĝojn kaj kontaktojn.",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteAccountFromLogin": "Ĉu vi certas forviŝi la historion",
"deleteContactConfirmation": "Ĉu vi certas forigi ĉi tiun konversacion",
"quoteThumbnailAlt": "Bildominiaturo el citita mesaĝo", "quoteThumbnailAlt": "Bildominiaturo el citita mesaĝo",
"imageAttachmentAlt": "Bildo kunsendita kun la mesaĝo", "imageAttachmentAlt": "Bildo kunsendita kun la mesaĝo",
"videoAttachmentAlt": "Ekrankopio de videaĵo kunsendita kun la mesaĝo", "videoAttachmentAlt": "Foto de filmeto enmesaĝe",
"lightboxImageAlt": "Bildo sendita en interparolo", "lightboxImageAlt": "Bildo sendita en interparolo",
"imageCaptionIconAlt": "Piktogramo montranta, ke tiu bildo havas priskribon", "imageCaptionIconAlt": "Piktogramo montranta, ke tiu bildo havas priskribon",
"addACaption": "Aldoni priskribon...", "addACaption": "Aldoni priskribon...",
"copySessionID": "Kopii Session ID-on", "copySessionID": "Kopii Session ID-on",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Kopii adreson de grupo",
"save": "Konservi", "save": "Konservi",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Konservi protokolon al labortablon",
"saved": "Saved", "saved": "Konservita",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ fotis",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Dosiero konservitis de $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Sendi antaŭrigardojn de ligilo",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generi antaŭrigardligilojn por subtenataj adresoj.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "Kiam vi sendos antaŭrigardojn de ligilo, la metadatenoj ne tutprotektas.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Mikrofono",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Permesi uzi la mikrofonon.",
"spellCheckTitle": "Spell Check", "spellCheckTitle": "Literumkontrolo",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Ebligi literumkontrolon dum skribadi mesaĝojn.",
"spellCheckDirty": "You must restart Session to apply your new settings", "spellCheckDirty": "Restartigu Sessionon por vidi la novajn ŝangojn",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Send read receipts in one-to-one chats.",
"readReceiptSettingTitle": "Read Receipts", "readReceiptSettingTitle": "Read Receipts",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.",
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Tajpantaj indikiloj",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zomo-Faktoro",
"themesSettingTitle": "Themes", "themesSettingTitle": "Aspekto",
"primaryColor": "Primary Color", "primaryColor": "Ĉefkoloro",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Ĉefkoloro verda",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Ĉefkoloro blua",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Ĉefkoloro flava",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Ĉefkoloro roza",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Ĉefkoloro viola",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Ĉefkoloro oranĝa",
"primaryColorRed": "Primary color red", "primaryColorRed": "Ĉefkoloro ruĝa",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klasike malhela",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klasike luma",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Oceane malhela",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Oceane luma",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Forigi mesaĝojn kiuj plimalnovas ol 6 monatoj el grupoj kiuj enhavas pli ol 2,000 mesaĝojn.",
"enable": "Enable", "enable": "Ŝalti",
"keepDisabled": "Keep disabled", "keepDisabled": "Lasi malŝaltita",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "La informoj kiuj montritas ensciige.",
"nameAndMessage": "Ambaŭ sendanto-nomon kaj mesaĝon", "nameAndMessage": "Nomo kaj enhavo",
"noNameOrMessage": "Nek nomon nek mesaĝon", "noNameOrMessage": "Nek nomon nek mesaĝon",
"nameOnly": "Nur la sendanto-nomon", "nameOnly": "Nur la sendanto-nomon",
"newMessage": "Novan mesaĝon", "newMessage": "Novan mesaĝon",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Kreii konversacion kun nova kontakto",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Kreii grupon kun ekzistantaj kontaktoj",
"joinACommunity": "Join a community", "joinACommunity": "Aliĝi al grupo",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Elektu agon ekkonversacii",
"newMessages": "Novajn mesaĝojn", "newMessages": "Novajn mesaĝojn",
"notificationMostRecentFrom": "Lasta de:", "notificationMostRecentFrom": "Lasta de:",
"notificationFrom": "De:", "notificationFrom": "De:",
"notificationMostRecent": "Lasta:", "notificationMostRecent": "Lasta:",
"sendFailed": "Sendo malsukcesis", "sendFailed": "Sendo malsukcesis",
"mediaMessage": "Mesaĝo kun enmetitaĵo", "mediaMessage": "Mesaĝo kun enmetitaĵo",
"messageBodyMissing": "Please enter a message body.", "messageBodyMissing": "Enigu vian mesaĝon.",
"messageBody": "Message body", "messageBody": "Korpo de mesaĝo",
"unblockToSend": "Malbloki tiun kontakton por sendi mesaĝon.", "unblockToSend": "Malbloki tiun kontakton por sendi mesaĝon.",
"unblockGroupToSend": "Malbloki tiun grupon por sendi mesaĝon.", "unblockGroupToSend": "Malbloki tiun grupon por sendi mesaĝon.",
"youChangedTheTimer": "Vi agordis la malaperon de la memviŝontaj mesaĝoj al $time$", "youChangedTheTimer": "Vi agordis la malaperon de la memviŝontaj mesaĝoj al $time$",
@ -192,11 +194,12 @@
"timerOption_12_hours": "12 horojn", "timerOption_12_hours": "12 horojn",
"timerOption_1_day": "1 tagon", "timerOption_1_day": "1 tagon",
"timerOption_1_week": "1 semajnon", "timerOption_1_week": "1 semajnon",
"timerOption_2_weeks": "2 semajnoj",
"disappearingMessages": "Memviŝontaj mesaĝoj", "disappearingMessages": "Memviŝontaj mesaĝoj",
"changeNickname": "Change Nickname", "changeNickname": "Ŝangi alnomon",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
"nicknamePlaceholder": "New Nickname", "nicknamePlaceholder": "Nova kromnomo",
"changeNicknameMessage": "Enter a nickname for this user", "changeNicknameMessage": "Enigu alnomon por tiu uzanto",
"timerOption_0_seconds_abbreviated": "malŝaltita", "timerOption_0_seconds_abbreviated": "malŝaltita",
"timerOption_5_seconds_abbreviated": "5s", "timerOption_5_seconds_abbreviated": "5s",
"timerOption_10_seconds_abbreviated": "10s", "timerOption_10_seconds_abbreviated": "10s",
@ -209,216 +212,224 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1t", "timerOption_1_day_abbreviated": "1t",
"timerOption_1_week_abbreviated": "1sem", "timerOption_1_week_abbreviated": "1sem",
"timerOption_2_weeks_abbreviated": "2sem",
"disappearingMessagesDisabled": "Memviŝontaj mesaĝoj malŝaltitaj", "disappearingMessagesDisabled": "Memviŝontaj mesaĝoj malŝaltitaj",
"disabledDisappearingMessages": "$name$ malŝaltis memviŝontajn mesaĝojn", "disabledDisappearingMessages": "$name$ malŝaltis memviŝontatajn mesaĝojn.",
"youDisabledDisappearingMessages": "Vi malŝaltis memviŝontajn mesaĝojn", "youDisabledDisappearingMessages": "Vi malŝaltis memviŝontajn mesaĝojn",
"timerSetTo": "Malapero de la memviŝontaj mesaĝoj post $time$", "timerSetTo": "Malapero de la memviŝontaj mesaĝoj post $time$",
"noteToSelf": "Noto al mi mem", "noteToSelf": "Noto al mi mem",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Krei novan interparolon...", "startConversation": "Krei novan interparolon...",
"invalidNumberError": "Nevalida numero", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Aŭtomate serĉi ĝisdatigojn kiam komenciĝas.",
"autoUpdateNewVersionTitle": "Ĝisdatiĝo de Session disponeblas", "autoUpdateNewVersionTitle": "Ĝisdatiĝo de Session disponeblas",
"autoUpdateNewVersionMessage": "Nova versio de Session disponeblas.", "autoUpdateNewVersionMessage": "Nova versio de Session disponeblas.",
"autoUpdateNewVersionInstructions": "Premu „Restartigi Session-on“ por ĝisdatigi.", "autoUpdateNewVersionInstructions": "Premu „Restartigi Session-on“ por ĝisdatigi.",
"autoUpdateRestartButtonLabel": "Restartigi Session-on", "autoUpdateRestartButtonLabel": "Restartigi Session-on",
"autoUpdateLaterButtonLabel": "Poste", "autoUpdateLaterButtonLabel": "Poste",
"autoUpdateDownloadButtonLabel": "Download", "autoUpdateDownloadButtonLabel": "Elŝuti",
"autoUpdateDownloadedMessage": "The new update has been downloaded.", "autoUpdateDownloadedMessage": "The new update has been downloaded.",
"autoUpdateDownloadInstructions": "Would you like to download the update?", "autoUpdateDownloadInstructions": "Ĉu vi volas elŝuti la aktualigon",
"leftTheGroup": "$name$ forlasis la grupon", "leftTheGroup": "$name$ forlasis la grupon",
"multipleLeftTheGroup": "$name$ forlasis la grupon", "multipleLeftTheGroup": "$name$ forlasis la grupon",
"updatedTheGroup": "Grupo ĝisdatiĝis", "updatedTheGroup": "Grupo ĝisdatiĝis",
"titleIsNow": "Titolo nun estas „$name$“", "titleIsNow": "Titolo nun estas „$name$“",
"joinedTheGroup": "$name$ grupaniĝis", "joinedTheGroup": "$name$ grupaniĝis",
"multipleJoinedTheGroup": "$names$ grupaniĝis", "multipleJoinedTheGroup": "$names$ grupaniĝis",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ forigitis el la grupo.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ forigitis elgrupe.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Malbarita",
"blocked": "Blocked", "blocked": "Baritas",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Baritaj kontaktoj",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Babiloj",
"unbanUser": "Unban User", "unbanUser": "Repermesi al uzanto",
"userUnbanned": "User unbanned successfully", "userUnbanned": "Vi sukcese repermesis la uzanton",
"userUnbanFailed": "Unban failed!", "userUnbanFailed": "La malpermesado malsukcesis!",
"banUser": "Ban User", "banUser": "Bari uzanton",
"banUserAndDeleteAll": "Ban and Delete All", "banUserAndDeleteAll": "Forigi kaj foviŝi ĉiujn",
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Ban failed!", "userBanFailed": "Malpermeso malsukcesis!",
"leaveGroup": "Leave Group", "leaveGroup": "Elgrupiĝi",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Forlasi grupon kaj Forigi por Ĉiuj",
"leaveGroupConfirmation": "Are you sure you want to leave this group?", "leaveGroupConfirmation": "Ĉu vi certas, ke vi volas forlasi ĉi tiun grupon?",
"leaveGroupConfirmationAdmin": "As you are the admin of this group, if you leave it it will be removed for every current members. Are you sure you want to leave this group?", "leaveGroupConfirmationAdmin": "Ĉar vi estas la administranto de ĉi tiu grupo, se vi forlasus ĝin, ĝi estos forigita por ĉiu nuntempa membro. Ĉu vi certas, ke vi volas forlasi ĉi tiun grupon?",
"cannotRemoveCreatorFromGroup": "Cannot remove this user", "cannotRemoveCreatorFromGroup": "Ne povas forigi ĉi tiun uzanton",
"cannotRemoveCreatorFromGroupDesc": "You cannot remove this user as they are the creator of the group.", "cannotRemoveCreatorFromGroupDesc": "Vi ne povas forigi ĉi tiun uzanton ĉar ri estas la kreanto de la grupo.",
"noContactsForGroup": "You don't have any contacts yet", "noContactsForGroup": "Vi ankoraŭ ne havas kontaktpersonojn",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Malsukcesis aldoni uzanton kiel administranton",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Malsukcesis forigi uzanton el la administra listo",
"copyMessage": "Copy message text", "copyMessage": "Kopii tekston de mesaĝo",
"selectMessage": "Select message", "selectMessage": "Elekti mesaĝon",
"editGroup": "Edit group", "editGroup": "Redakti grupon",
"editGroupName": "Edit group name", "editGroupName": "Redakti grupnomon",
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Ĝisdatigante $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Ripara Frazo",
"yourSessionID": "Your Session ID", "yourSessionID": "Via Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Pasvorto",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Postuli pasvorton por malŝlosi Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Ŝanĝi Pasvorton",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Ŝanĝi la pasvorton, kiu necesas por malŝlosi Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Forigi Pasvorton",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Forigi la pasvorton, kiu necesas por malŝlosi Session.",
"enterPassword": "Please enter your password", "enterPassword": "Bonvolu enigi vian pasvorton",
"confirmPassword": "Confirm password", "confirmPassword": "Konfirmi pasvorton",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Bonvolu enigi vian novan pasvorton",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Konfirmi novan pasvorton",
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Bonvolu enigi vian pasvorton",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Nevalida URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Kopiite",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enigi Pasvorton",
"password": "Password", "password": "Pasvorto",
"setPassword": "Set Password", "setPassword": "Agordi pasvorton",
"changePassword": "Change Password", "changePassword": "Ŝanĝi Pasvorton",
"createPassword": "Create your password", "createPassword": "Kreu vian pasvorton",
"removePassword": "Remove Password", "removePassword": "Forigi Pasvorton",
"maxPasswordAttempts": "Invalid Password. Would you like to reset the database?", "maxPasswordAttempts": "Nevalida Pasvorto. Ĉu vi ŝatus restarigi la datumbazon?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Bonvolu enigi vian nuntempan pasvorton",
"invalidOldPassword": "Old password is invalid", "invalidOldPassword": "Malnova pasvorto estas nevalida",
"invalidPassword": "Invalid password", "invalidPassword": "Nevalida pasvorto",
"noGivenPassword": "Please enter your password", "noGivenPassword": "Bonvolu enigi vian pasvorton",
"passwordsDoNotMatch": "Passwords do not match", "passwordsDoNotMatch": "Pasvortoj ne kongruas",
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Pasvortoj ne kongruas",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "La malnova pasvorto, kiun vi enigis, estas malĝusta",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Malĝusta pasvorto",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Pasvorto agordita",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Pasvorto Ŝanĝita",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Pasvorto Forigita",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Via pasvorto estas agordita. Bonvolu konservi ĝin sekura.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Via pasvorto estas ŝanĝita. Bonvolu konservi ĝin sekura.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Via pasvorto estas forigita.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Vi jam estas konektita al ĉi tiu komunumo",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Ne povis algrupiĝi",
"connectingToServer": "Connecting...", "connectingToServer": "Konektante...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Successfully connected to community",
"setPasswordFail": "Failed to set password", "setPasswordFail": "Malsukcesis agordi pasvorton",
"passwordLengthError": "Password must be between 6 and 64 characters long", "passwordLengthError": "Necesas, ke pasvorto estu inter 6 kaj 64 longe",
"passwordTypeError": "Password must be a string", "passwordTypeError": "Necesas, ke pasvorto estu signoĉeno",
"passwordCharacterError": "Password must only contain letters, numbers and symbols", "passwordCharacterError": "Necesas, ke pasvorto enhavu nur literojn, ciferojn kaj simbolojn",
"remove": "Remove", "remove": "Forigi",
"invalidSessionId": "Invalid Session ID", "invalidSessionId": "Nevalida Session ID-o",
"invalidPubkeyFormat": "Invalid Pubkey Format", "invalidPubkeyFormat": "Invalid Pubkey Format",
"emptyGroupNameError": "Please enter a group name", "emptyGroupNameError": "Bonvolu enigi grupnomon",
"editProfileModalTitle": "Profile", "editProfileModalTitle": "Profilo",
"groupNamePlaceholder": "Group Name", "groupNamePlaceholder": "Grupnomo",
"inviteContacts": "Invite Contacts", "inviteContacts": "Inviti Kontaktpersonojn",
"addModerators": "Add Admins", "addModerators": "Aldoni Administrantojn",
"removeModerators": "Remove Admins", "removeModerators": "Forigi Administrantojn",
"addAsModerator": "Add as Admin", "addAsModerator": "Aldoni kiel Administranton",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Forigi el Administrantoj",
"add": "Add", "add": "Aldoni",
"addingContacts": "Adding contacts to $name$", "addingContacts": "Aldonante kontaktpersonojn al $name$",
"noContactsToAdd": "No contacts to add", "noContactsToAdd": "Ne estas kontaktpersonoj por aldoni",
"noMembersInThisGroup": "No other members in this group", "noMembersInThisGroup": "Neniuj aliaj membroj en ĉi tiu grupo",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "ne estas administrantoj por forigi",
"onlyAdminCanRemoveMembers": "You are not the creator", "onlyAdminCanRemoveMembers": "Vi ne estas la kreanto",
"onlyAdminCanRemoveMembersDesc": "Only the creator of the group can remove users", "onlyAdminCanRemoveMembersDesc": "Nur la kreanto de la grupo povas forigi uzantojn",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Keep in System Tray", "startInTrayTitle": "Keep in System Tray",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Keep Session running in the background when you close the window.",
"yourUniqueSessionID": "Say hello to your Session ID", "yourUniqueSessionID": "Salutu vian Session ID-on",
"allUsersAreRandomly...": "Your Session ID is the unique address people can use to contact you on Session. With no connection to your real identity, your Session ID is totally anonymous and private by design.", "allUsersAreRandomly...": "Your Session ID is the unique address people can use to contact you on Session. With no connection to your real identity, your Session ID is totally anonymous and private by design.",
"getStarted": "Get started", "getStarted": "Komenciĝi",
"createSessionID": "Create Session ID", "createSessionID": "Krei Session ID-on",
"recoveryPhrase": "Recovery Phrase", "recoveryPhrase": "Ripara Frazo",
"enterRecoveryPhrase": "Enter your recovery phrase", "enterRecoveryPhrase": "Enigu vian riparan frazon",
"displayName": "Display Name", "displayName": "Montrata Nomo",
"anonymous": "Anonymous", "anonymous": "Anonymous",
"removeResidueMembers": "Clicking ok will also remove those members as they left the group.", "removeResidueMembers": "Clicking ok will also remove those members as they left the group.",
"enterDisplayName": "Enter a display name", "enterDisplayName": "Enigu montrotan nomon",
"continueYourSession": "Continue Your Session", "continueYourSession": "Daŭrigu Vian Session",
"linkDevice": "Link Device", "linkDevice": "Ligi Aparaton",
"restoreUsingRecoveryPhrase": "Restore your account", "restoreUsingRecoveryPhrase": "Restaŭri vian konton",
"or": "or", "or": "",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>",
"beginYourSession": "Begin your Session.", "beginYourSession": "Komencu vian Session.",
"welcomeToYourSession": "Welcome to your Session", "welcomeToYourSession": "Bonvenon al via Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Serĉi konversaciojn kaj kontaktpersonojn",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Serĉi kontaktpersonojn",
"enterSessionID": "Enter Session ID", "enterSessionID": "Enigu Session ID-on",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS",
"message": "Message", "message": "Mesaĝo",
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Aspekto",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privateco",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Sciigoj",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enigu vian riparan frazon",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"members": "$count$ members", "displayNameTooLong": "Display name is too long",
"join": "Join", "members": "$count$ membroj",
"joinOpenGroup": "Join Community", "activeMembers": "$count$ active members",
"createGroup": "Create Group", "join": "Aliĝi",
"create": "Create", "joinOpenGroup": "Algrupiĝi",
"createClosedGroupNamePrompt": "Group Name", "createGroup": "Krei Grupon",
"createClosedGroupPlaceholder": "Enter a group name", "create": "Krei",
"openGroupURL": "Community URL", "createClosedGroupNamePrompt": "Grupnomo",
"enterAnOpenGroupURL": "Enter Community URL", "createClosedGroupPlaceholder": "Enigu grupnomon",
"openGroupURL": "Komunumo-URL",
"enterAnOpenGroupURL": "Enigu Komunumo-URL-on",
"next": "Next", "next": "Next",
"invalidGroupNameTooShort": "Please enter a group name", "invalidGroupNameTooShort": "Bonvolu enigi grupnomon",
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Bonvolu enigi pli mallongan grupnomon",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Bonvolu elekti almenaŭ 1 grupanon",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Grupo ne povas havi pli ol 100 membrojn",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "Vi havas neniujn blokitajn kontakpersonojn.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Aŭ algrupiĝu tie...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Traduki Session",
"closedGroupInviteFailTitle": "Group Invitation Failed", "closedGroupInviteFailTitle": "Group Invitation Failed",
"closedGroupInviteFailTitlePlural": "Group Invitations Failed", "closedGroupInviteFailTitlePlural": "Group Invitations Failed",
"closedGroupInviteFailMessage": "Unable to successfully invite a group member", "closedGroupInviteFailMessage": "Maleblas sukcese inviti grupanon",
"closedGroupInviteFailMessagePlural": "Unable to successfully invite all group members", "closedGroupInviteFailMessagePlural": "Maleblas sukcese inviti ĉiujn grupanojn",
"closedGroupInviteOkText": "Retry invitations", "closedGroupInviteOkText": "Reprovi invitojn",
"closedGroupInviteSuccessTitlePlural": "Group Invitations Completed", "closedGroupInviteSuccessTitlePlural": "Group Invitations Completed",
"closedGroupInviteSuccessTitle": "Group Invitation Succeeded", "closedGroupInviteSuccessTitle": "Group Invitation Succeeded",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Successfully invited group members",
"notificationForConvo": "Notifications", "notificationForConvo": "Sciigoj",
"notificationForConvo_all": "All", "notificationForConvo_all": "All",
"notificationForConvo_disabled": "Disabled", "notificationForConvo_disabled": "Disabled",
"notificationForConvo_mentions_only": "Mentions only", "notificationForConvo_mentions_only": "Nur mencioj",
"onionPathIndicatorTitle": "Path", "onionPathIndicatorTitle": "Vojo",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:", "onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:",
"unknownCountry": "Unknown Country", "unknownCountry": "Nekonita Lando",
"device": "Device", "device": "Aparato",
"destination": "Destination", "destination": "Celo",
"learnMore": "Learn more", "learnMore": "Lerni pli",
"linkVisitWarningTitle": "Open this link in your browser?", "linkVisitWarningTitle": "Ĉu malfermi ĉi tiun ligilon en via retumilo?",
"linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?", "linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?",
"open": "Open", "open": "Malfermi",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Autoplay Audio Messages",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Autoplay consecutive audio messages.",
"clickToTrustContact": "Click to download media", "clickToTrustContact": "Click to download media",
"trustThisContactDialogTitle": "Trust $name$?", "trustThisContactDialogTitle": "Ĉu fidi $name$?",
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"showUserDetails": "Show User Details", "markUnread": "Mark Unread",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "showUserDetails": "Montri Uzanto-Detalojn",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseTitle": "Sendante Riparan Frazon",
"dialogClearAllDataDeletionFailedTitle": "Data not deleted", "sendRecoveryPhraseMessage": "Vi estas provanta sendi vian riparan frazon, kiun oni povas uzi por aliri vian konton. Ĉu vi certas, ke vi volas sendi ĉi tiun mesaĝon?",
"dialogClearAllDataDeletionFailedDesc": "Data not deleted with an unknown error. Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitle": "Datumo ne forigita",
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedDesc": "Datumo ne forigita pro nekonita eraro. Ĉu vi volas forigi datumon nur el ĉi tiu aparato?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Ĉu vi volas forigi datumon nur el ĉi tiu aparato?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Provi Denove",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.",
"iAmSure": "I am sure", "iAmSure": "Mi certas",
"recoveryPhraseSecureTitle": "You're almost finished!", "recoveryPhraseSecureTitle": "You're almost finished!",
"recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.", "recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.",
"recoveryPhraseRevealButtonText": "Reveal Recovery Phrase", "recoveryPhraseRevealButtonText": "Reveal Recovery Phrase",
@ -435,7 +446,7 @@
"incomingCallFrom": "Incoming call from '$name$'", "incomingCallFrom": "Incoming call from '$name$'",
"ringing": "Ringing...", "ringing": "Ringing...",
"establishingConnection": "Establishing connection...", "establishingConnection": "Establishing connection...",
"accept": "Accept", "accept": "Akcepti",
"decline": "Decline", "decline": "Decline",
"endCall": "End call", "endCall": "End call",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Permissions",
@ -443,7 +454,7 @@
"cameraPermissionNeededTitle": "Voice/Video Call permissions required", "cameraPermissionNeededTitle": "Voice/Video Call permissions required",
"cameraPermissionNeeded": "You can enable the 'Voice and video calls' permission in the Privacy Settings.", "cameraPermissionNeeded": "You can enable the 'Voice and video calls' permission in the Privacy Settings.",
"unableToCall": "Cancel your ongoing call first", "unableToCall": "Cancel your ongoing call first",
"unableToCallTitle": "Cannot start new call", "unableToCallTitle": "Ne povas komenci novan vokon",
"callMissed": "Missed call from $name$", "callMissed": "Missed call from $name$",
"callMissedTitle": "Call missed", "callMissedTitle": "Call missed",
"noCameraFound": "No camera found", "noCameraFound": "No camera found",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Activar pantalla completa", "viewMenuToggleFullScreen": "Activar pantalla completa",
"viewMenuToggleDevTools": "Activar herramientas de desarrollador", "viewMenuToggleDevTools": "Activar herramientas de desarrollador",
"contextMenuNoSuggestions": "Sin sugerencias", "contextMenuNoSuggestions": "Sin sugerencias",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Invitación de la comunidad",
"joinOpenGroupAfterInvitationConfirmationTitle": "¿Unirse a $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "¿Unirse a $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding opengroup server",
"enterSessionIDOrONSName": "Ingresa el ID de Session o el nombre ONS", "enterSessionIDOrONSName": "Ingresa el ID de Session o el nombre ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Inicie una nueva conversación ingresando la Session ID de alguien o comparta su Session ID con ellos.. ",
"loading": "Cargando ...", "loading": "Cargando ...",
"done": "Hecho", "done": "Hecho",
"youLeftTheGroup": "Has abandonado el grupo.", "youLeftTheGroup": "Has abandonado el grupo.",
"youGotKickedFromGroup": "Has sido eliminado del grupo.", "youGotKickedFromGroup": "Has sido eliminado del grupo.",
"unreadMessages": "Mensajes Sin Leer", "unreadMessages": "Mensajes Sin Leer",
"debugLogExplanation": "Este registro se guardará en tu escritorio.", "debugLogExplanation": "Este registro se guardará en tu escritorio.",
"reportIssue": "Report a Bug", "reportIssue": "Reportar Error",
"markAllAsRead": "Marcar todo como leído", "markAllAsRead": "Marcar todo como leído",
"incomingError": "Fallo al procesar el mensaje recibido", "incomingError": "Fallo al procesar el mensaje recibido",
"media": "Multimedia", "media": "Multimedia",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Lo sentimos, ha habido un fallo al adjuntar el archivo.", "unableToLoadAttachment": "Lo sentimos, ha habido un fallo al adjuntar el archivo.",
"offline": "Desconectado", "offline": "Desconectado",
"debugLog": "Registro de depuración", "debugLog": "Registro de depuración",
"showDebugLog": "Export Logs", "showDebugLog": "Exportar Registros",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exporte sus registros, luego cargue el archivo a través de la sección Ayuda de Session Desktop.",
"goToReleaseNotes": "Ir a las notas de versión", "goToReleaseNotes": "Ir a las notas de versión",
"goToSupportPage": "Ir a la página de soporte técnico", "goToSupportPage": "Ir a la página de soporte técnico",
"about": "Info", "about": "Info",
@ -100,7 +100,8 @@
"deleteMessagesQuestion": "¿Borrar $count$ mensajes?", "deleteMessagesQuestion": "¿Borrar $count$ mensajes?",
"deleteMessageQuestion": "¿Borrar este mensaje?", "deleteMessageQuestion": "¿Borrar este mensaje?",
"deleteMessages": "Eliminar mensajes", "deleteMessages": "Eliminar mensajes",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"deleted": "$count$ eliminado",
"messageDeletedPlaceholder": "Este mensaje ha sido borrado", "messageDeletedPlaceholder": "Este mensaje ha sido borrado",
"from": "Desde:", "from": "Desde:",
"to": "Para:", "to": "Para:",
@ -111,9 +112,10 @@
"moreInformation": "Más detalles", "moreInformation": "Más detalles",
"resend": "Reenviar", "resend": "Reenviar",
"deleteConversationConfirmation": "¿Eliminar este chat permanentemente?", "deleteConversationConfirmation": "¿Eliminar este chat permanentemente?",
"clear": "Clear", "clear": "Borrar",
"clearAllData": "Borrar todos los datos", "clearAllData": "Borrar todos los datos",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Esto eliminará permanentemente sus mensajes y contactos.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "¿Seguro que quieres eliminar esta conversación?", "deleteContactConfirmation": "¿Seguro que quieres eliminar esta conversación?",
"quoteThumbnailAlt": "Miniatura de una foto como cita de un mensaje", "quoteThumbnailAlt": "Miniatura de una foto como cita de un mensaje",
"imageAttachmentAlt": "Imagen adjunta al mensaje", "imageAttachmentAlt": "Imagen adjunta al mensaje",
@ -129,10 +131,10 @@
"tookAScreenshot": "$name$ tomó una captura de pantalla", "tookAScreenshot": "$name$ tomó una captura de pantalla",
"savedTheFile": "$name$ guardó el archivo", "savedTheFile": "$name$ guardó el archivo",
"linkPreviewsTitle": "Enviar Previsualizaciones", "linkPreviewsTitle": "Enviar Previsualizaciones",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Mostrar previsualización de enlaces para las URLs soportadas.",
"linkPreviewsConfirmMessage": "No estarás completamente protegido contra los metadatos al enviar previsualizaciones de enlaces.", "linkPreviewsConfirmMessage": "No estarás completamente protegido contra los metadatos al enviar previsualizaciones de enlaces.",
"mediaPermissionsTitle": "Micrófono", "mediaPermissionsTitle": "Micrófono",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Permitir acceso al micrófono.",
"spellCheckTitle": "Revisión ortográfica", "spellCheckTitle": "Revisión ortográfica",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Enable spell check when typing messages.",
"spellCheckDirty": "Debes reiniciar Session para aplicar las nuevas configuraciones", "spellCheckDirty": "Debes reiniciar Session para aplicar las nuevas configuraciones",
@ -141,32 +143,32 @@
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.",
"typingIndicatorsSettingTitle": "Indicadores De Tecleo", "typingIndicatorsSettingTitle": "Indicadores De Tecleo",
"zoomFactorSettingTitle": "Zoom general", "zoomFactorSettingTitle": "Zoom general",
"themesSettingTitle": "Themes", "themesSettingTitle": "Temas",
"primaryColor": "Primary Color", "primaryColor": "Color primario",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Color primario verde",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Color primario azul",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Color primario amarillo",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Color primario rosa",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Color primario purpura",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Color primario naranja",
"primaryColorRed": "Primary color red", "primaryColorRed": "Color primario rojo",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Classic Dark",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Classic Light",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Recortar Comunidades",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Eliminar mensajes de Comunidades con más de 6 meses de antigüedad y donde haya más de 2000 mensajes.",
"enable": "Enable", "enable": "Permitir",
"keepDisabled": "Keep disabled", "keepDisabled": "Mantener deshabilitado",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "La información que se muestra en las notificaciones.",
"nameAndMessage": "Nombre de contacto y mensaje", "nameAndMessage": "Nombre de contacto y mensaje",
"noNameOrMessage": "Ni nombre ni mensaje", "noNameOrMessage": "Ni nombre ni mensaje",
"nameOnly": "Solo nombre de contacto", "nameOnly": "Solo nombre de contacto",
"newMessage": "Mensaje nuevo", "newMessage": "Mensaje nuevo",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Crear una conversación con un nuevo contacto",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Crear un grupo con contactos existentes",
"joinACommunity": "Join a community", "joinACommunity": "Ingresar a la comunidad",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Elija una acción para iniciar una conversación",
"newMessages": "Mensajes nuevos", "newMessages": "Mensajes nuevos",
"notificationMostRecentFrom": "Más recientes desde: $name$", "notificationMostRecentFrom": "Más recientes desde: $name$",
"notificationFrom": "Desde:", "notificationFrom": "Desde:",
@ -174,7 +176,7 @@
"sendFailed": "Fallo Al Enviar", "sendFailed": "Fallo Al Enviar",
"mediaMessage": "Mensaje multimedia", "mediaMessage": "Mensaje multimedia",
"messageBodyMissing": "Por favor ingresa algún mensaje.", "messageBodyMissing": "Por favor ingresa algún mensaje.",
"messageBody": "Message body", "messageBody": "Cuerpo del mensaje",
"unblockToSend": "Desbloquea este contacto para enviar mensajes.", "unblockToSend": "Desbloquea este contacto para enviar mensajes.",
"unblockGroupToSend": "Desbloquea este grupo para enviar mensajes.", "unblockGroupToSend": "Desbloquea este grupo para enviar mensajes.",
"youChangedTheTimer": "Has fijado la desaparición de mensajes en $time$.", "youChangedTheTimer": "Has fijado la desaparición de mensajes en $time$.",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 horas", "timerOption_12_hours": "12 horas",
"timerOption_1_day": "1 día ", "timerOption_1_day": "1 día ",
"timerOption_1_week": "1 semana", "timerOption_1_week": "1 semana",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Desaparición de mensajes", "disappearingMessages": "Desaparición de mensajes",
"changeNickname": "Cambiar apodo", "changeNickname": "Cambiar apodo",
"clearNickname": "Quitar apodo", "clearNickname": "Quitar apodo",
@ -209,6 +212,7 @@
"timerOption_12_hours_abbreviated": "12 h", "timerOption_12_hours_abbreviated": "12 h",
"timerOption_1_day_abbreviated": "1 d", "timerOption_1_day_abbreviated": "1 d",
"timerOption_1_week_abbreviated": "7 d", "timerOption_1_week_abbreviated": "7 d",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Desaparición de mensajes desactivada.", "disappearingMessagesDisabled": "Desaparición de mensajes desactivada.",
"disabledDisappearingMessages": "$name$ ha desactivado la desaparición de mensajes.", "disabledDisappearingMessages": "$name$ ha desactivado la desaparición de mensajes.",
"youDisabledDisappearingMessages": "Has desactivado la desaparición de mensajes.", "youDisabledDisappearingMessages": "Has desactivado la desaparición de mensajes.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$ se han unido al grupo.", "multipleJoinedTheGroup": "$name$ se han unido al grupo.",
"kickedFromTheGroup": "$name$ fue eliminado del grupo.", "kickedFromTheGroup": "$name$ fue eliminado del grupo.",
"multipleKickedFromTheGroup": "$name$ fueron eliminados del grupo.", "multipleKickedFromTheGroup": "$name$ fueron eliminados del grupo.",
"blockUser": "Bloquear", "block": "Bloquear",
"unblockUser": "Desbloquear", "unblock": "Desbloquear",
"unblocked": "Desbloqueado", "unblocked": "Desbloqueado",
"blocked": "Bloqueado", "blocked": "Bloqueado",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Contactos Bloqueados",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Conversaciones",
"unbanUser": "Desbloquear usuario", "unbanUser": "Desbloquear usuario",
"userUnbanned": "Usuario desbloqueado con éxito", "userUnbanned": "Usuario desbloqueado con éxito",
"userUnbanFailed": "¡Error al desbloquear!", "userUnbanFailed": "¡Error al desbloquear!",
@ -251,7 +255,7 @@
"userBanned": "Baneado correctamente", "userBanned": "Baneado correctamente",
"userBanFailed": "¡Bloqueo fallido!", "userBanFailed": "¡Bloqueo fallido!",
"leaveGroup": "Abandonar Grupo", "leaveGroup": "Abandonar Grupo",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Dejar el grupo y eliminar para todos",
"leaveGroupConfirmation": "¿Seguro que quieres salir de este grupo?", "leaveGroupConfirmation": "¿Seguro que quieres salir de este grupo?",
"leaveGroupConfirmationAdmin": "Ya que eres el administrador del grupo, si lo dejas, será eliminado para todos los miembros. ¿Estás seguro de que querer abandonarlo?", "leaveGroupConfirmationAdmin": "Ya que eres el administrador del grupo, si lo dejas, será eliminado para todos los miembros. ¿Estás seguro de que querer abandonarlo?",
"cannotRemoveCreatorFromGroup": "No se puede eliminar este usuario", "cannotRemoveCreatorFromGroup": "No se puede eliminar este usuario",
@ -267,27 +271,27 @@
"showRecoveryPhrase": "Frase de recuperación", "showRecoveryPhrase": "Frase de recuperación",
"yourSessionID": "Tu ID de Session", "yourSessionID": "Tu ID de Session",
"setAccountPasswordTitle": "Establecer contraseña de la cuenta", "setAccountPasswordTitle": "Establecer contraseña de la cuenta",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Se requiere contraseña para desbloquear Session.",
"changeAccountPasswordTitle": "Cambiar la Contraseña de la Cuenta", "changeAccountPasswordTitle": "Cambiar la Contraseña de la Cuenta",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Borrar contraseña", "removeAccountPasswordTitle": "Borrar contraseña",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Por favor, introduce tu contraseña", "enterPassword": "Por favor, introduce tu contraseña",
"confirmPassword": "Confirmar contraseña", "confirmPassword": "Confirmar contraseña",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Por favor, ingrese su nueva contraseña",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Confirme su nueva contraseña",
"showRecoveryPhrasePasswordRequest": "Introduce tu contraseña", "showRecoveryPhrasePasswordRequest": "Introduce tu contraseña",
"recoveryPhraseSavePromptMain": "Tu frase de recuperación es la llave maestra de tu ID de Session, puedes usarla para recuperar tu ID de Session en caso de pérdida de acceso a tu dispositivo. Guarda tu frase de recuperación en un lugar seguro y no se la digas a nadie.", "recoveryPhraseSavePromptMain": "Tu frase de recuperación es la llave maestra de tu ID de Session, puedes usarla para recuperar tu ID de Session en caso de pérdida de acceso a tu dispositivo. Guarda tu frase de recuperación en un lugar seguro y no se la digas a nadie.",
"invalidOpenGroupUrl": "URL no válida", "invalidOpenGroupUrl": "URL no válida",
"copiedToClipboard": "Copiado en el portapapeles", "copiedToClipboard": "Copiado en el portapapeles",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Introducir contraseña",
"password": "Contraseña", "password": "Contraseña",
"setPassword": "Establecer Contraseña", "setPassword": "Establecer Contraseña",
"changePassword": "Cambiar Contraseña", "changePassword": "Cambiar Contraseña",
"createPassword": "Create your password", "createPassword": "Create your password",
"removePassword": "Eliminar Contraseña", "removePassword": "Eliminar Contraseña",
"maxPasswordAttempts": "Contraseña inválida. ¿Restablecer la base de datos?", "maxPasswordAttempts": "Contraseña inválida. ¿Restablecer la base de datos?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Por favor, introduzca su antigua contraseña",
"invalidOldPassword": "La contraseña antigua es inválida", "invalidOldPassword": "La contraseña antigua es inválida",
"invalidPassword": "Contraseña inválida", "invalidPassword": "Contraseña inválida",
"noGivenPassword": "Por favor, introduce tu contraseña", "noGivenPassword": "Por favor, introduce tu contraseña",
@ -329,7 +333,7 @@
"onlyAdminCanRemoveMembersDesc": "Sólo el creador del grupo puede eliminar usuarios", "onlyAdminCanRemoveMembersDesc": "Sólo el creador del grupo puede eliminar usuarios",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Ejecutar en Segundo Plano", "startInTrayTitle": "Ejecutar en Segundo Plano",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Mantener Session funcionando en segundo plano cuando cierre la ventana.",
"yourUniqueSessionID": "Saluda a tu ID de Session", "yourUniqueSessionID": "Saluda a tu ID de Session",
"allUsersAreRandomly...": "Tu ID de Session es la dirección única que las personas pueden usar para contactarte en Session. Por diseño, tu ID de Session es totalmente anónima y privada, sin vínculo con tu identidad real.", "allUsersAreRandomly...": "Tu ID de Session es la dirección única que las personas pueden usar para contactarte en Session. Por diseño, tu ID de Session es totalmente anónima y privada, sin vínculo con tu identidad real.",
"getStarted": "Comenzar", "getStarted": "Comenzar",
@ -347,22 +351,25 @@
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>",
"beginYourSession": "Comienza tu Session.", "beginYourSession": "Comienza tu Session.",
"welcomeToYourSession": "Bienvenido a tu Session", "welcomeToYourSession": "Bienvenido a tu Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Buscar conversaciones y contactos",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Buscar contactos",
"enterSessionID": "Session ID", "enterSessionID": "Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS",
"message": "Mensaje", "message": "Mensaje",
"appearanceSettingsTitle": "Apariencia", "appearanceSettingsTitle": "Apariencia",
"privacySettingsTitle": "Privacidad", "privacySettingsTitle": "Privacidad",
"notificationsSettingsTitle": "Notificaciones", "notificationsSettingsTitle": "Notificaciones",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Previsualizar",
"recoveryPhraseEmpty": "Ingresa tu frase de recuperación", "recoveryPhraseEmpty": "Ingresa tu frase de recuperación",
"displayNameEmpty": "Por favor, elige un nombre para mostrar", "displayNameEmpty": "Por favor, elige un nombre para mostrar",
"displayNameTooLong": "Display name is too long",
"members": "$count$ miembros", "members": "$count$ miembros",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Unirse",
"createGroup": "Create Group", "joinOpenGroup": "Unirse a la Comunidad",
"createGroup": "Crear Grupo",
"create": "Create", "create": "Create",
"createClosedGroupNamePrompt": "Nombre Del Grupo", "createClosedGroupNamePrompt": "Nombre Del Grupo",
"createClosedGroupPlaceholder": "Ingresa un nombre de grupo", "createClosedGroupPlaceholder": "Ingresa un nombre de grupo",
@ -377,7 +384,7 @@
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "O únete a uno de estos...", "orJoinOneOfThese": "O únete a uno de estos...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Traducir Session",
"closedGroupInviteFailTitle": "La invitación de grupo falló", "closedGroupInviteFailTitle": "La invitación de grupo falló",
"closedGroupInviteFailTitlePlural": "Las invitaciones de grupo fallaron", "closedGroupInviteFailTitlePlural": "Las invitaciones de grupo fallaron",
"closedGroupInviteFailMessage": "No se pudo invitar al usuario", "closedGroupInviteFailMessage": "No se pudo invitar al usuario",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "¿Abrir este enlace en su navegador?", "linkVisitWarningTitle": "¿Abrir este enlace en su navegador?",
"linkVisitWarningMessage": "¿Estás seguro de querer abrir $url$ en tu navegador?", "linkVisitWarningMessage": "¿Estás seguro de querer abrir $url$ en tu navegador?",
"open": "Abrir", "open": "Abrir",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Autoreproducir mensajes de Audio",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Autoplay consecutive audio messages.",
"clickToTrustContact": "Haga clic para descargar", "clickToTrustContact": "Haga clic para descargar",
"trustThisContactDialogTitle": "¿Confiar en $name$?", "trustThisContactDialogTitle": "¿Confiar en $name$?",
"trustThisContactDialogDescription": "¿Estás seguro de querer descargar este archivo que $name$ te ha enviado?", "trustThisContactDialogDescription": "¿Estás seguro de querer descargar este archivo que $name$ te ha enviado?",
"pinConversation": "Anclar conversación", "pinConversation": "Anclar conversación",
"unpinConversation": "Desanclar conversación", "unpinConversation": "Desanclar conversación",
"markUnread": "Mark Unread",
"showUserDetails": "Mostrar Detalles del Usuario", "showUserDetails": "Mostrar Detalles del Usuario",
"sendRecoveryPhraseTitle": "Enviando Frase de Recuperación", "sendRecoveryPhraseTitle": "Enviando Frase de Recuperación",
"sendRecoveryPhraseMessage": "Estás intentando enviar tu frase de recuperación, que puede utilizarse para acceder a tu cuenta. ¿Estás seguro de que deseas enviar este mensaje?", "sendRecoveryPhraseMessage": "Estás intentando enviar tu frase de recuperación, que puede utilizarse para acceder a tu cuenta. ¿Estás seguro de que deseas enviar este mensaje?",
@ -414,8 +422,11 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "¿Quieres eliminar sólo los datos de este dispositivo?", "dialogClearAllDataDeletionFailedTitleQuestion": "¿Quieres eliminar sólo los datos de este dispositivo?",
"dialogClearAllDataDeletionFailedMultiple": "Datos no eliminados por los siguientes nodos de servicio: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Datos no eliminados por los siguientes nodos de servicio: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"deviceOnly": "Clear Device Only", "clearDevice": "Clear Device",
"entireAccount": "Clear Device and Network", "tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Borrar solo de este dispositivo",
"entireAccount": "Borrar del dispositivo y de la red",
"areYouSureDeleteDeviceOnly": "¿Estás seguro de querer eliminar sólo los datos del dispositivo?", "areYouSureDeleteDeviceOnly": "¿Estás seguro de querer eliminar sólo los datos del dispositivo?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.",
"iAmSure": "Estoy seguro", "iAmSure": "Estoy seguro",
@ -425,9 +436,9 @@
"notificationSubtitle": "Notificaciones - $setting$", "notificationSubtitle": "Notificaciones - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "We'd Love Your Feedback",
"faq": "FAQ", "faq": "FAQ",
"support": "Support", "support": "Soporte",
"clearAll": "Borrar todo", "clearAll": "Borrar todo",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Borrar Datos",
"messageRequests": "Solicitudes de Mensaje", "messageRequests": "Solicitudes de Mensaje",
"requestsSubtitle": "Solicitudes Pendientes", "requestsSubtitle": "Solicitudes Pendientes",
"requestsPlaceholder": "Sin solicitudes", "requestsPlaceholder": "Sin solicitudes",
@ -438,8 +449,8 @@
"accept": "Aceptar", "accept": "Aceptar",
"decline": "Rechazar", "decline": "Rechazar",
"endCall": "Finalizar llamada", "endCall": "Finalizar llamada",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Permisos",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Ayuda",
"cameraPermissionNeededTitle": "Se requieren los permisos de Voz/Video", "cameraPermissionNeededTitle": "Se requieren los permisos de Voz/Video",
"cameraPermissionNeeded": "Puedes habilitar los permisos de \"llamada de voz y video\" en las Configuraciones de Privacidad.", "cameraPermissionNeeded": "Puedes habilitar los permisos de \"llamada de voz y video\" en las Configuraciones de Privacidad.",
"unableToCall": "Debes cancelar la llamada en curso", "unableToCall": "Debes cancelar la llamada en curso",
@ -449,12 +460,12 @@
"noCameraFound": "Cámara no encontrada", "noCameraFound": "Cámara no encontrada",
"noAudioInputFound": "No se detectó dispositivo de entrada", "noAudioInputFound": "No se detectó dispositivo de entrada",
"noAudioOutputFound": "No se encontró dispositivo de salida", "noAudioOutputFound": "No se encontró dispositivo de salida",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Llamadas de Voz y Video (Beta)",
"callMissedCausePermission": "Llamada perdida de '$name$' porque no activaste los permisos de \"llamadas de voz y video\" en las configuraciones de privacidad.", "callMissedCausePermission": "Llamada perdida de '$name$' porque no activaste los permisos de \"llamadas de voz y video\" en las configuraciones de privacidad.",
"callMissedNotApproved": "Llamada perdida de '$name$' debido a que no has aprovado esta conversación todavía. Tienes que enviar un mensaje primero.", "callMissedNotApproved": "Llamada perdida de '$name$' debido a que no has aprovado esta conversación todavía. Tienes que enviar un mensaje primero.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Llamadas de Voz y Video (Beta)",
"startedACall": "Llamada saliente a $name$", "startedACall": "Llamada saliente a $name$",
"answeredACall": "Llamada con $name$", "answeredACall": "Llamada con $name$",
"trimDatabase": "Reducir Base de Datos", "trimDatabase": "Reducir Base de Datos",
@ -468,25 +479,30 @@
"declineRequestMessage": "¿Estás seguro/a que quieres rechazar esta solicitud de mensaje?", "declineRequestMessage": "¿Estás seguro/a que quieres rechazar esta solicitud de mensaje?",
"respondingToRequestWarning": "Enviar un mensaje a este usuario/a va a aceptar su solicitud de mensaje y revelar tu ID de Session automáticamente.", "respondingToRequestWarning": "Enviar un mensaje a este usuario/a va a aceptar su solicitud de mensaje y revelar tu ID de Session automáticamente.",
"hideRequestBanner": "Ocultar el banner de solicitud de mensajes", "hideRequestBanner": "Ocultar el banner de solicitud de mensajes",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Solicitudes de mensajes",
"noMessageRequestsPending": "No hay solicitudes de mensajes pendientes", "noMessageRequestsPending": "No hay solicitudes de mensajes pendientes",
"noMediaUntilApproved": "No puedes enviar archivos adjuntos hasta que la conversación sea aceptada", "noMediaUntilApproved": "No puedes enviar archivos adjuntos hasta que la conversación sea aceptada",
"mustBeApproved": "Esta conversación debe ser aceptada para usar esta función", "mustBeApproved": "Esta conversación debe ser aceptada para usar esta función",
"youHaveANewFriendRequest": "Tienes una nueva solicitud de amistad", "youHaveANewFriendRequest": "Tienes una nueva solicitud de amistad",
"clearAllConfirmationTitle": "Borrar todas las solicitudes de mensajes", "clearAllConfirmationTitle": "Borrar todas las solicitudes de mensajes",
"clearAllConfirmationBody": "¿Estás seguro/a que quieres borrar todas las solicitudes de mensajes?", "clearAllConfirmationBody": "¿Estás seguro/a que quieres borrar todas las solicitudes de mensajes?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Ocultar", "hideBanner": "Ocultar",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Ver tu bandeja de solicitudes de mensajes", "openMessageRequestInboxDescription": "Ver tu bandeja de solicitudes de mensajes",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Mostrar menos",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherPlural": "$number$ others", "otherSingular": "$number$ otro",
"reactionPopup": "reacted with", "otherPlural": "$number$ otros",
"reactionPopup": "reaccionó con",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Y $otherSingular$ ha reaccionado <span>$emoji$</span> a este mensaje",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Y $otherPlural$ han reaccionado <span>$emoji$</span> a este mensaje"
} }

View File

@ -10,7 +10,7 @@
"appMenuHide": "Ocultar", "appMenuHide": "Ocultar",
"appMenuHideOthers": "Ocultar otros", "appMenuHideOthers": "Ocultar otros",
"appMenuUnhide": "Mostrar todo", "appMenuUnhide": "Mostrar todo",
"appMenuQuit": "Cerrar sesión", "appMenuQuit": "Cerrar Session",
"editMenuUndo": "Deshacer", "editMenuUndo": "Deshacer",
"editMenuRedo": "Rehacer", "editMenuRedo": "Rehacer",
"editMenuCut": "Cortar", "editMenuCut": "Cortar",
@ -23,24 +23,24 @@
"windowMenuMinimize": "Minimizar", "windowMenuMinimize": "Minimizar",
"windowMenuZoom": "Zoom", "windowMenuZoom": "Zoom",
"viewMenuResetZoom": "Tamaño original", "viewMenuResetZoom": "Tamaño original",
"viewMenuZoomIn": "Aumentar Zoom", "viewMenuZoomIn": "Ampliar",
"viewMenuZoomOut": "Disminuir Zoom", "viewMenuZoomOut": "Disminuir Zoom",
"viewMenuToggleFullScreen": "Activar pantalla completa", "viewMenuToggleFullScreen": "Activar pantalla completa",
"viewMenuToggleDevTools": "Activar herramientas de desarrollador", "viewMenuToggleDevTools": "Activar herramientas de desarrollador",
"contextMenuNoSuggestions": "Sin sugerencias", "contextMenuNoSuggestions": "Sin sugerencias",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Invitación de comunidad",
"joinOpenGroupAfterInvitationConfirmationTitle": "¿Unirse a $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "¿Unirse a $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "¿Estás seguro de que quieres unirte a la comunidad $roomName$?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Introduzca el ID de Session o el nombre ONS", "enterSessionIDOrONSName": "Introduzca el ID de Session o el nombre ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Inicia una nueva conversación ingresando el ID de Session de alguien o comparta su ID de Session con ellos.",
"loading": "Cargando...", "loading": "Cargando...",
"done": "Terminado", "done": "Hecho",
"youLeftTheGroup": "Has abandonado el grupo.", "youLeftTheGroup": "Has abandonado el grupo.",
"youGotKickedFromGroup": "Has sido eliminado del grupo.", "youGotKickedFromGroup": "Has sido eliminado del grupo.",
"unreadMessages": "Mensajes No Leídos", "unreadMessages": "Mensajes No Leídos",
"debugLogExplanation": "Este registro se guardará en tu escritorio.", "debugLogExplanation": "Este registro se guardará en tu escritorio.",
"reportIssue": "Report a Bug", "reportIssue": "Reportar un error",
"markAllAsRead": "Marcar todo como leído", "markAllAsRead": "Marcar todo como leído",
"incomingError": "Error en la gestión de los mensajes entrantes", "incomingError": "Error en la gestión de los mensajes entrantes",
"media": "Multimedia", "media": "Multimedia",
@ -56,14 +56,14 @@
"previewThumbnail": "Miniatura de previsualización para $domain$", "previewThumbnail": "Miniatura de previsualización para $domain$",
"stagedImageAttachment": "Preparando adjunto múltiple: $path$", "stagedImageAttachment": "Preparando adjunto múltiple: $path$",
"oneNonImageAtATimeToast": "Lo sentimos, hay un límite de un archivo adjunto sin imagen por mensaje", "oneNonImageAtATimeToast": "Lo sentimos, hay un límite de un archivo adjunto sin imagen por mensaje",
"cannotMixImageAndNonImageAttachments": "No se pueden combinar adjuntos de otro tipo junto a imágenes", "cannotMixImageAndNonImageAttachments": "Lo sentimos, no puedes mezclar imágenes con otros tipos de archivo en un mensaje",
"maximumAttachments": "Se ha alcanzado el número máximo de archivos adjuntos. Por favor, envíe los archivos adjuntos restantes en un mensaje separado.", "maximumAttachments": "Se ha alcanzado el número máximo de archivos adjuntos. Por favor, envíe los archivos adjuntos restantes en un mensaje separado.",
"fileSizeWarning": "El archivo adjunto excede los límites de tamaño para el mensaje.", "fileSizeWarning": "El archivo adjunto excede los límites de tamaño para el mensaje.",
"unableToLoadAttachment": "Lo sentimos, hubo un fallo al adjuntar el archivo.", "unableToLoadAttachment": "Lo sentimos, hubo un fallo al adjuntar el archivo.",
"offline": "Desconectado", "offline": "Desconectado",
"debugLog": "Registro de Depuración", "debugLog": "Registro de Depuración",
"showDebugLog": "Export Logs", "showDebugLog": "Exportar registros",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exporta tus registros, luego sube el archivo a través de la Ayuda de Session.",
"goToReleaseNotes": "Ir a las notas de versión", "goToReleaseNotes": "Ir a las notas de versión",
"goToSupportPage": "Ir a la página de soporte técnico", "goToSupportPage": "Ir a la página de soporte técnico",
"about": "Acerca de", "about": "Acerca de",
@ -72,7 +72,7 @@
"noSearchResults": "No se encontraron resultados para $searchTerm$", "noSearchResults": "No se encontraron resultados para $searchTerm$",
"conversationsHeader": "Contactos y grupos", "conversationsHeader": "Contactos y grupos",
"contactsHeader": "Contactos", "contactsHeader": "Contactos",
"messagesHeader": "Mensajes", "messagesHeader": "Conversations",
"settingsHeader": "Ajustes", "settingsHeader": "Ajustes",
"typingAlt": "Animación de tecleo para este chat", "typingAlt": "Animación de tecleo para este chat",
"contactAvatarAlt": "Avatar del contacto $name$", "contactAvatarAlt": "Avatar del contacto $name$",
@ -82,11 +82,11 @@
"originalMessageNotFound": "Mensaje original no encontrado", "originalMessageNotFound": "Mensaje original no encontrado",
"you": "Tú", "you": "Tú",
"audioPermissionNeededTitle": "Microphone access required", "audioPermissionNeededTitle": "Microphone access required",
"audioPermissionNeeded": "Puedes habilitar el acceso al micrófono en: Ajustes (icono de engranaje) => Privacidad", "audioPermissionNeeded": "Puedes habilitar el acceso al micrófono en: Ajustes (icono del engranaje) => Privacidad",
"audio": "Audio", "audio": "Audio",
"video": "Video", "video": "Video",
"photo": "Foto", "photo": "Foto",
"cannotUpdate": "Error al actualizar", "cannotUpdate": "No se pudo actualizar",
"cannotUpdateDetail": "Session Desktop no pudo actualizarse, pero hay una nueva versión disponible. Por favor dirígete a https://getsession.org e instala la nueva versión manualmente, o ponte en contacto con el soporte y cuéntanos sobre este error.", "cannotUpdateDetail": "Session Desktop no pudo actualizarse, pero hay una nueva versión disponible. Por favor dirígete a https://getsession.org e instala la nueva versión manualmente, o ponte en contacto con el soporte y cuéntanos sobre este error.",
"ok": "Aceptar", "ok": "Aceptar",
"cancel": "Cancelar", "cancel": "Cancelar",
@ -100,87 +100,89 @@
"deleteMessagesQuestion": "¿Eliminar $count$ mensajes?", "deleteMessagesQuestion": "¿Eliminar $count$ mensajes?",
"deleteMessageQuestion": "¿Eliminar este mensaje?", "deleteMessageQuestion": "¿Eliminar este mensaje?",
"deleteMessages": "Eliminar mensajes", "deleteMessages": "Eliminar mensajes",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"deleted": "$count$ eliminados",
"messageDeletedPlaceholder": "Este mensaje ha sido eliminado", "messageDeletedPlaceholder": "Este mensaje ha sido eliminado",
"from": "De:", "from": "De:",
"to": "Para:", "to": "Para:",
"sent": "Enviado", "sent": "Enviado",
"received": "Recibido", "received": "Recibido",
"sendMessage": "Mensaje", "sendMessage": "Mensaje",
"groupMembers": "Miembros del grupo", "groupMembers": "Miembros",
"moreInformation": "Más información", "moreInformation": "Más información",
"resend": "Reenviar", "resend": "Reenviar",
"deleteConversationConfirmation": "¿Eliminar esta conversación permanentemente?", "deleteConversationConfirmation": "¿Eliminar esta conversación permanentemente?",
"clear": "Clear", "clear": "Eliminar",
"clearAllData": "Eliminar todos los datos", "clearAllData": "Eliminar todos los datos",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Esto eliminará permanentemente tus mensajes y contactos.",
"deleteAccountFromLogin": "¿Estás seguro de querer eliminar tu cuenta?",
"deleteContactConfirmation": "¿Estás seguro de que quieres eliminar esta conversación?", "deleteContactConfirmation": "¿Estás seguro de que quieres eliminar esta conversación?",
"quoteThumbnailAlt": "Vista miniatura de la imagen del mensaje citado", "quoteThumbnailAlt": "Vista miniatura de la imagen del mensaje citado",
"imageAttachmentAlt": "Imagen adjunta al mensaje", "imageAttachmentAlt": "Imagen adjunta al mensaje",
"videoAttachmentAlt": "Captura del video adjunto al mensaje", "videoAttachmentAlt": "Captura de pantalla del vídeo en el mensaje",
"lightboxImageAlt": "La imagen ha sido enviada en la conversación", "lightboxImageAlt": "La imagen ha sido enviada en la conversación",
"imageCaptionIconAlt": "Ícono que muestra que esta imagen incluye un subtexto", "imageCaptionIconAlt": "Ícono que muestra que esta imagen incluye un subtexto",
"addACaption": "Añade un texto...", "addACaption": "Añade un texto...",
"copySessionID": "Copiar Session ID", "copySessionID": "Copiar Session ID",
"copyOpenGroupURL": "Copiar la URL del grupo", "copyOpenGroupURL": "Copiar la URL del grupo",
"save": "Guardar", "save": "Guardar",
"saveLogToDesktop": "Guardar el log en el Escritorio", "saveLogToDesktop": "Guardar registro en el escritorio",
"saved": "Guardado", "saved": "Guardado",
"tookAScreenshot": "$name$ ha hecho una captura de pantalla", "tookAScreenshot": "$name$ ha hecho una captura de pantalla",
"savedTheFile": "$name$ guardó el archivo", "savedTheFile": "$name$ guardó el archivo",
"linkPreviewsTitle": "Enviar previsualizaciones", "linkPreviewsTitle": "Enviar previsualizaciones de links",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generar previsualizaciones de enlaces para URLs compatibles.",
"linkPreviewsConfirmMessage": "No tendrás una privacidad completa de metadatos al enviar previsualizaciones de enlaces.", "linkPreviewsConfirmMessage": "No tendrás una privacidad completa de metadatos al enviar previsualizaciones de enlaces.",
"mediaPermissionsTitle": "Micrófono", "mediaPermissionsTitle": "Micrófono",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Permitir acceso al micrófono.",
"spellCheckTitle": "Revisión ortográfica", "spellCheckTitle": "Revisión ortográfica",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Activar el corrector ortográfico al escribir mensajes.",
"spellCheckDirty": "Debes reiniciar Session para aplicar las nuevas configuraciones", "spellCheckDirty": "Debes reiniciar Session para aplicar las nuevas configuraciones",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Enviar recibos de lectura en chats de uno a uno.",
"readReceiptSettingTitle": "Recibos de lectura", "readReceiptSettingTitle": "Recibos de lectura",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Ver y compartir indicadores de escritura en chats de uno a uno.",
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Indicadores de escritura",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom general",
"themesSettingTitle": "Themes", "themesSettingTitle": "Temas",
"primaryColor": "Primary Color", "primaryColor": "Color primario",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Color primario verde",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Color primario azul",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Color primario amarillo",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Color primario rosa",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Color primario púrpura",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Color primario naranja",
"primaryColorRed": "Primary color red", "primaryColorRed": "Color primario rojo",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Classic Dark",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Classic Light",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Recortar Comunidades",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Eliminar mensajes anteriores a 6 meses de las Comunidades que tengan más de 2.000 mensajes.",
"enable": "Enable", "enable": "Activar",
"keepDisabled": "Keep disabled", "keepDisabled": "Mantener desactivado",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Información mostrada en las notificaciones.",
"nameAndMessage": "Nombre de contacto y mensaje", "nameAndMessage": "Nombre y Contenido",
"noNameOrMessage": "Sin nombre ni contenido", "noNameOrMessage": "Sin nombre o contenido",
"nameOnly": "Solo nombre de contacto", "nameOnly": "Solo nombre de contacto",
"newMessage": "Nuevo mensaje", "newMessage": "Nuevo mensaje",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Crear una conversación con un nuevo contacto",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Crear un grupo con contactos existentes",
"joinACommunity": "Join a community", "joinACommunity": "Unirse a una comunidad",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Seleccione una acción para iniciar una conversación",
"newMessages": "Mensajes nuevos", "newMessages": "Mensajes nuevos",
"notificationMostRecentFrom": "Más recientes desde: $name$", "notificationMostRecentFrom": "Más recientes desde: $name$",
"notificationFrom": "Desde:", "notificationFrom": "Desde:",
"notificationMostRecent": "Más reciente:", "notificationMostRecent": "Más reciente:",
"sendFailed": "Fallo al enviar", "sendFailed": "Fallo al enviar",
"mediaMessage": "Mensaje multimedia", "mediaMessage": "Mensaje multimedia",
"messageBodyMissing": "Por favor ingresa algún mensaje.", "messageBodyMissing": "Por favor, introduzca un cuerpo de mensaje.",
"messageBody": "Message body", "messageBody": "Cuerpo del mensaje",
"unblockToSend": "Desbloquea este contacto para enviarle mensajes.", "unblockToSend": "Desbloquea este contacto para enviarle mensajes.",
"unblockGroupToSend": "Desbloquea este grupo para enviar mensajes.", "unblockGroupToSend": "Desbloquea este grupo para enviar mensajes.",
"youChangedTheTimer": "Has fijado la desaparición de mensajes en $time$", "youChangedTheTimer": "Has fijado la desaparición de mensajes en $time$",
"timerSetOnSync": "Actualizando el temporizador de desaparición en $time$", "timerSetOnSync": "Actualizando el temporizador de desaparición en $time$",
"theyChangedTheTimer": "$name$ ha fijado la desaparición de mensajes en $time$", "theyChangedTheTimer": "$name$ ha fijado la desaparición de mensajes en $time$",
"timerOption_0_seconds": "Inactivo", "timerOption_0_seconds": "Apagado",
"timerOption_5_seconds": "5 segundos", "timerOption_5_seconds": "5 segundos",
"timerOption_10_seconds": "10 segundos", "timerOption_10_seconds": "10 segundos",
"timerOption_30_seconds": "30 segundos", "timerOption_30_seconds": "30 segundos",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 horas", "timerOption_12_hours": "12 horas",
"timerOption_1_day": "1 día", "timerOption_1_day": "1 día",
"timerOption_1_week": "1 semana", "timerOption_1_week": "1 semana",
"timerOption_2_weeks": "2 semanas",
"disappearingMessages": "Desaparición de mensajes", "disappearingMessages": "Desaparición de mensajes",
"changeNickname": "Cambiar nombre de usuario", "changeNickname": "Cambiar nombre de usuario",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12 h", "timerOption_12_hours_abbreviated": "12 h",
"timerOption_1_day_abbreviated": "1 d", "timerOption_1_day_abbreviated": "1 d",
"timerOption_1_week_abbreviated": "7 d", "timerOption_1_week_abbreviated": "7 d",
"timerOption_2_weeks_abbreviated": "2sem",
"disappearingMessagesDisabled": "Desaparición de mensajes desactivada", "disappearingMessagesDisabled": "Desaparición de mensajes desactivada",
"disabledDisappearingMessages": "$name$ ha desactivado la desaparición de mensajes.", "disabledDisappearingMessages": "$name$ ha desactivado que los mensajes desaparezcan.",
"youDisabledDisappearingMessages": "Has desactivado la desaparición de mensajes.", "youDisabledDisappearingMessages": "Has desactivado la desaparición de mensajes.",
"timerSetTo": "El tiempo de desaparición de mensajes se ha fijado en $time$", "timerSetTo": "El tiempo de desaparición de mensajes se ha fijado en $time$",
"noteToSelf": "Notas personales", "noteToSelf": "Notas personales",
"hideMenuBarTitle": "Esconder barra de menú", "hideMenuBarTitle": "Ocultar barra de menú",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Alterna la visibilidad de la barra de menú.",
"startConversation": "Comienza con un chat", "startConversation": "Comenzar nueva conversación",
"invalidNumberError": "Número incorrecto", "invalidNumberError": "Por favor, compruebe el Session ID o el nombre ONS e inténtelo de nuevo",
"failedResolveOns": "Error al resolver el nombre ONS", "failedResolveOns": "Error al resolver el nombre ONS",
"autoUpdateSettingTitle": "Actualizar automáticamente", "autoUpdateSettingTitle": "Actualizar automáticamente",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Comprobar automáticamente actualizaciones al iniciar.",
"autoUpdateNewVersionTitle": "Actualización de Session disponible", "autoUpdateNewVersionTitle": "Actualización de Session disponible",
"autoUpdateNewVersionMessage": "Hay disponible una nueva versión de Session.", "autoUpdateNewVersionMessage": "Hay disponible una nueva versión de Session.",
"autoUpdateNewVersionInstructions": "Pulsa en 'Reiniciar Session' para aplicar cambios.", "autoUpdateNewVersionInstructions": "Pulsa en 'Reiniciar Session' para aplicar cambios.",
@ -234,15 +238,15 @@
"updatedTheGroup": "Grupo actualizado", "updatedTheGroup": "Grupo actualizado",
"titleIsNow": "El nombre del grupo ahora es: '$name$'.", "titleIsNow": "El nombre del grupo ahora es: '$name$'.",
"joinedTheGroup": "$name$ se ha unido al grupo.", "joinedTheGroup": "$name$ se ha unido al grupo.",
"multipleJoinedTheGroup": "$name$ se han unido al grupo.", "multipleJoinedTheGroup": "$name$ se ha unido al grupo.",
"kickedFromTheGroup": "$name$ ha sido expulsado del grupo.", "kickedFromTheGroup": "$name$ ha sido expulsado del grupo.",
"multipleKickedFromTheGroup": "$name$ han sido expulsados del grupo.", "multipleKickedFromTheGroup": "$name$ han sido expulsados del grupo.",
"blockUser": "Bloquear", "block": "Block",
"unblockUser": "Desbloquear", "unblock": "Unblock",
"unblocked": "Desbloqueado", "unblocked": "Desbloqueado",
"blocked": "Bloqueado", "blocked": "Bloqueado",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Contactos bloqueados",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Conversaciones",
"unbanUser": "Desbloquear usuario", "unbanUser": "Desbloquear usuario",
"userUnbanned": "Usuario desbloqueado exitosamente", "userUnbanned": "Usuario desbloqueado exitosamente",
"userUnbanFailed": "¡Bloqueo fallido!", "userUnbanFailed": "¡Bloqueo fallido!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "¡Bloqueo fallido!", "userBanFailed": "¡Bloqueo fallido!",
"leaveGroup": "Abandonar grupo", "leaveGroup": "Abandonar grupo",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Abandonar grupo y remover a todos",
"leaveGroupConfirmation": "¿Estás seguro de abandonar éste grupo?", "leaveGroupConfirmation": "¿Estás seguro de abandonar éste grupo?",
"leaveGroupConfirmationAdmin": "Ya que eres el administrador del grupo, si lo dejas, será eliminado para todos los miembros. ¿Estás seguro de que querer abandonarlo?", "leaveGroupConfirmationAdmin": "Ya que eres el administrador del grupo, si lo dejas, será eliminado para todos los miembros. ¿Estás seguro de que querer abandonarlo?",
"cannotRemoveCreatorFromGroup": "No puedes eliminar a éste usuario", "cannotRemoveCreatorFromGroup": "No puedes eliminar a éste usuario",
"cannotRemoveCreatorFromGroupDesc": "No puedes eliminar este usuario ya que es el creador del grupo.", "cannotRemoveCreatorFromGroupDesc": "No puedes eliminar este usuario ya que es el creador del grupo.",
"noContactsForGroup": "No tienes ningún contacto", "noContactsForGroup": "No tienes ningún contacto",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Error al agregar usuario como administrador",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Error al eliminar el usuario de la lista de administradores",
"copyMessage": "Copiar mensaje", "copyMessage": "Copiar mensaje",
"selectMessage": "Seleccionar mensaje", "selectMessage": "Seleccionar mensaje",
"editGroup": "Editar grupo", "editGroup": "Editar grupo",
@ -266,118 +270,121 @@
"updateGroupDialogTitle": "Actualizando $name$...", "updateGroupDialogTitle": "Actualizando $name$...",
"showRecoveryPhrase": "Frase de recuperación", "showRecoveryPhrase": "Frase de recuperación",
"yourSessionID": "Tu ID de Session", "yourSessionID": "Tu ID de Session",
"setAccountPasswordTitle": "Establecer contraseña de la cuenta", "setAccountPasswordTitle": "Contraseña",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Necesita contraseña para desbloquear Session.",
"changeAccountPasswordTitle": "Cambiar la Contraseña de la Cuenta", "changeAccountPasswordTitle": "Cambiar Contraseña",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Cambio de contraseña necesario para desbloquear Session.",
"removeAccountPasswordTitle": "Borrar contraseña de la cuenta", "removeAccountPasswordTitle": "Eliminar Contraseña",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Eliminar la contraseña necesaria para desbloquear Session.",
"enterPassword": "Por favor, introduce tu contraseña", "enterPassword": "Por favor, introduce tu contraseña",
"confirmPassword": "Confirmar contraseña", "confirmPassword": "Confirmar contraseña",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Por favor, introduzca su nueva contraseña",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Confirmar nueva contraseña",
"showRecoveryPhrasePasswordRequest": "Por favor, introduce tu contraseña", "showRecoveryPhrasePasswordRequest": "Por favor, introduce tu contraseña",
"recoveryPhraseSavePromptMain": "Tu frase de recuperación es la llave maestra de tu ID de Session, puedes usarla para recuperar tu ID de Session en caso de pérdida de acceso a tu dispositivo. Guarda tu frase de recuperación en un lugar seguro y no se la digas a nadie.", "recoveryPhraseSavePromptMain": "Tu frase de recuperación es la llave maestra de tu ID de Session, puedes usarla para recuperar tu ID de Session en caso de pérdida de acceso a tu dispositivo. Guarda tu frase de recuperación en un lugar seguro y no se la digas a nadie.",
"invalidOpenGroupUrl": "URL no válida", "invalidOpenGroupUrl": "URL no válida",
"copiedToClipboard": "Copiado en el portapapeles", "copiedToClipboard": "Copiado",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Introducir contraseña",
"password": "Contraseña", "password": "Contraseña",
"setPassword": "Establecer Contraseña", "setPassword": "Establecer Contraseña",
"changePassword": "Cambiar Contraseña", "changePassword": "Cambiar Contraseña",
"createPassword": "Create your password", "createPassword": "Crea tu contraseña",
"removePassword": "Eliminar Contraseña", "removePassword": "Eliminar Contraseña",
"maxPasswordAttempts": "Contraseña inválida. ¿Restablecer la base de datos?", "maxPasswordAttempts": "Contraseña inválida. ¿Restablecer la base de datos?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Por favor, introduzca su contraseña actual",
"invalidOldPassword": "Old password is invalid", "invalidOldPassword": "La contraseña antigua es inválida",
"invalidPassword": "Invalid password", "invalidPassword": "Contraseña inválida",
"noGivenPassword": "Please enter your password", "noGivenPassword": "Por favor, introduce tu contraseña",
"passwordsDoNotMatch": "Passwords do not match", "passwordsDoNotMatch": "Las contraseñas no coinciden",
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Las contraseñas no coinciden",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "La contraseña antigua que ingresaste es incorrecta",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Contraseña incorrecta",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Contraseña establecida",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Contraseña modificada",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Contraseña eliminada",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Su contraseña ha sido establecida. Por favor, manténgala segura.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Su contraseña ha sido cambiada. Por favor, manténla segura.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Su contraseña ha sido eliminada.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Usted ya está conectado a esta comunidad",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "No se ha podido unir a la comunidad",
"connectingToServer": "Connecting...", "connectingToServer": "Conectando...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Conectado con éxito a la comunidad",
"setPasswordFail": "Failed to set password", "setPasswordFail": "Error al establecer la contraseña",
"passwordLengthError": "Password must be between 6 and 64 characters long", "passwordLengthError": "La contraseña debe tener entre 6 y 64 caracteres",
"passwordTypeError": "Password must be a string", "passwordTypeError": "La contraseña debe ser una cadena",
"passwordCharacterError": "Password must only contain letters, numbers and symbols", "passwordCharacterError": "La contraseña solo debe contener letras, números y símbolos",
"remove": "Remove", "remove": "Eliminar",
"invalidSessionId": "Invalid Session ID", "invalidSessionId": "La Session ID es inválida",
"invalidPubkeyFormat": "Invalid Pubkey Format", "invalidPubkeyFormat": "Formato de Clave Pública inválido",
"emptyGroupNameError": "Please enter a group name", "emptyGroupNameError": "Por favor, ingresa un nombre de grupo",
"editProfileModalTitle": "Profile", "editProfileModalTitle": "Perfil",
"groupNamePlaceholder": "Group Name", "groupNamePlaceholder": "Nombre del grupo",
"inviteContacts": "Invite Contacts", "inviteContacts": "Invitar contactos",
"addModerators": "Add Admins", "addModerators": "Añadir administradores",
"removeModerators": "Remove Admins", "removeModerators": "Eliminar Administradores",
"addAsModerator": "Add as Admin", "addAsModerator": "Añadir como administrador",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Eliminar administrador",
"add": "Add", "add": "Añadir",
"addingContacts": "Adding contacts to $name$", "addingContacts": "Añadiendo contactos a $name$",
"noContactsToAdd": "No contacts to add", "noContactsToAdd": "No hay contactos para añadir",
"noMembersInThisGroup": "No other members in this group", "noMembersInThisGroup": "No hay otros miembros en este grupo",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "no hay administradores para eliminar",
"onlyAdminCanRemoveMembers": "You are not the creator", "onlyAdminCanRemoveMembers": "No eres el creador",
"onlyAdminCanRemoveMembersDesc": "Only the creator of the group can remove users", "onlyAdminCanRemoveMembersDesc": "Sólo el creador del grupo puede eliminar usuarios",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Keep in System Tray", "startInTrayTitle": "Conservar en la bandeja del sistema",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Mantener Session funcionando en segundo plano cuando cierre la ventana.",
"yourUniqueSessionID": "Say hello to your Session ID", "yourUniqueSessionID": "Dile hola a tu Session ID",
"allUsersAreRandomly...": "Your Session ID is the unique address people can use to contact you on Session. With no connection to your real identity, your Session ID is totally anonymous and private by design.", "allUsersAreRandomly...": "Su Session ID es la única dirección que las personas pueden usar para contactarle en Session. Por diseño, su Session ID es totalmente anónima y privada, sin vínculo con su identidad real.",
"getStarted": "Get started", "getStarted": "Empezar",
"createSessionID": "Create Session ID", "createSessionID": "Crear Session ID",
"recoveryPhrase": "Recovery Phrase", "recoveryPhrase": "Frase de recuperación",
"enterRecoveryPhrase": "Enter your recovery phrase", "enterRecoveryPhrase": "Ingresa tu frase de recuperación",
"displayName": "Display Name", "displayName": "Nombre de usuario",
"anonymous": "Anónimo", "anonymous": "Anónimo",
"removeResidueMembers": "Hacer esto eliminará a esos miebros cuando abandonen el grupo.", "removeResidueMembers": "Al presionar \"ok\" también eliminará a los miembros cuando abandonen el grupo.",
"enterDisplayName": "Ingresa un nombre para mostrar", "enterDisplayName": "Ingresa un nombre para mostrar",
"continueYourSession": "Continúa tu Session", "continueYourSession": "Continúa tu Session",
"linkDevice": "Vincular dispositivo", "linkDevice": "Vincular dispositivo",
"restoreUsingRecoveryPhrase": "Restaura tu cuenta", "restoreUsingRecoveryPhrase": "Restaura tu cuenta",
"or": "o", "or": "o",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Al usar este servicio, aceptas nuestros <a href=\"https://getsession.org/terms-of-service \">Terminos y condiciones</a> y la <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Política de privacidad</a>",
"beginYourSession": "Comienza tu Session.", "beginYourSession": "Comienza tu Session.",
"welcomeToYourSession": "Bienvenido a tu Session", "welcomeToYourSession": "Bienvenido a tu Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Buscar conversaciones y contactos",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Buscar contactos",
"enterSessionID": "Session ID", "enterSessionID": "Ingresa Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Introduzca el Session ID de su contacto o ONS",
"message": "Mensaje", "message": "Mensaje",
"appearanceSettingsTitle": "Apariencia", "appearanceSettingsTitle": "Apariencia",
"privacySettingsTitle": "Privacidad", "privacySettingsTitle": "Privacidad",
"notificationsSettingsTitle": "Notificaciones", "notificationsSettingsTitle": "Notificaciones",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Contenido de notificaciones",
"notificationPreview": "Vista previa",
"recoveryPhraseEmpty": "Ingresa tu frase de recuperación", "recoveryPhraseEmpty": "Ingresa tu frase de recuperación",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ miembros", "members": "$count$ miembros",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Unirse",
"createGroup": "Create Group", "joinOpenGroup": "Unirse a comunidad",
"create": "Create", "createGroup": "Crear grupo",
"create": "Crear",
"createClosedGroupNamePrompt": "Nombre Del Grupo", "createClosedGroupNamePrompt": "Nombre Del Grupo",
"createClosedGroupPlaceholder": "Ingresa un nombre de grupo", "createClosedGroupPlaceholder": "Ingresa un nombre de grupo",
"openGroupURL": "Community URL", "openGroupURL": "URL de comunidad",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Introduzca el URL de la comunidad",
"next": "Siguiente", "next": "Siguiente",
"invalidGroupNameTooShort": "Por favor, ingresa un nombre de grupo", "invalidGroupNameTooShort": "Por favor, ingresa un nombre de grupo",
"invalidGroupNameTooLong": "Por favor, ingresa un nombre de grupo más corto", "invalidGroupNameTooLong": "Por favor, ingresa un nombre de grupo más corto",
"pickClosedGroupMember": "Por favor, elige al menos 1 miembro del grupo", "pickClosedGroupMember": "Por favor, elige al menos 1 miembro del grupo",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Un grupo no puede tener más de 100 miembros",
"noBlockedContacts": "No hay contactos bloqueados", "noBlockedContacts": "No tienes contactos bloqueados.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Usuario añadido a la lista de administradores",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Usuario eliminado de la lista de administradores",
"orJoinOneOfThese": "O únete a uno de estos...", "orJoinOneOfThese": "O únete a uno de estos...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Traducir Session",
"closedGroupInviteFailTitle": "Invitación al grupo fallida", "closedGroupInviteFailTitle": "Invitación al grupo fallida",
"closedGroupInviteFailTitlePlural": "Invitaciones al grupo fallidas", "closedGroupInviteFailTitlePlural": "Invitaciones al grupo fallidas",
"closedGroupInviteFailMessage": "No se pudo invitar al usuario", "closedGroupInviteFailMessage": "No se pudo invitar al usuario",
@ -385,76 +392,80 @@
"closedGroupInviteOkText": "Reintentar invitaciones", "closedGroupInviteOkText": "Reintentar invitaciones",
"closedGroupInviteSuccessTitlePlural": "Invitaciones de grupo exitosas", "closedGroupInviteSuccessTitlePlural": "Invitaciones de grupo exitosas",
"closedGroupInviteSuccessTitle": "Invitación al grupo exitosa", "closedGroupInviteSuccessTitle": "Invitación al grupo exitosa",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Miembros del grupo invitados correctamente",
"notificationForConvo": "Notificaciones", "notificationForConvo": "Notificaciones",
"notificationForConvo_all": "Todo", "notificationForConvo_all": "Todo",
"notificationForConvo_disabled": "Desactivado", "notificationForConvo_disabled": "Desactivado",
"notificationForConvo_mentions_only": "Solo menciones", "notificationForConvo_mentions_only": "Solo menciones",
"onionPathIndicatorTitle": "Ruta", "onionPathIndicatorTitle": "Ruta",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:", "onionPathIndicatorDescription": "Session oculta su IP rebotando sus mensajes a través de varios Nodos de Servicio en la red descentralizada de Session. Estos son los países a los que tu conexión se está rebotando actualmente:",
"unknownCountry": "Unknown Country", "unknownCountry": "País desconocido",
"device": "Device", "device": "Dispositivo",
"destination": "Destination", "destination": "Destino",
"learnMore": "Learn more", "learnMore": "Saber más",
"linkVisitWarningTitle": "Open this link in your browser?", "linkVisitWarningTitle": "¿Abrir este enlace en su navegador?",
"linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?", "linkVisitWarningMessage": "¿Estás seguro de querer abrir $url$ en tu navegador?",
"open": "Open", "open": "Abrir",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Reproducir mensajes de audio automáticamente",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Reproducir mensajes de audio consecutivos automáticamente.",
"clickToTrustContact": "Click to download media", "clickToTrustContact": "Haga clic para descargar",
"trustThisContactDialogTitle": "Trust $name$?", "trustThisContactDialogTitle": "¿Confiar en $name$?",
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "¿Estás seguro de querer descargar archivos que $name$ te envió?",
"pinConversation": "Pin Conversation", "pinConversation": "Fijar conversación",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Desfijar conversación",
"showUserDetails": "Show User Details", "markUnread": "Mark Unread",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "showUserDetails": "Mostrar detalles del usuario",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseTitle": "Enviando Frase de Recuperación",
"dialogClearAllDataDeletionFailedTitle": "Data not deleted", "sendRecoveryPhraseMessage": "Estás intentando compartir tu frase de recuperación que puede usarse para acceder a tu cuenta. ¿Estás seguro de que deseas enviar este mensaje?",
"dialogClearAllDataDeletionFailedDesc": "Data not deleted with an unknown error. Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitle": "Error al eliminar los datos",
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedDesc": "Los datos no se eliminaron por un error desconocido. ¿Quieres eliminar los datos de solo este dispositivo?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedTitleQuestion": "¿Quieres eliminar los datos sólo de este dispositivo?",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionFailedMultiple": "Datos no eliminados por los siguientes Nodos de Servicio: $snodes$",
"deviceOnly": "Clear Device Only", "dialogClearAllDataDeletionQuestion": "¿Quieres borrar este dispositivo solamente, o borrar tus datos de la red también?",
"entireAccount": "Clear Device and Network", "clearDevice": "Limpiar dispositivo",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "tryAgain": "Intentar de nuevo",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureClearDevice": "¿Estás seguro de querer limpiar tu dispositivo?",
"iAmSure": "I am sure", "deviceOnly": "Limpiar sólo el dispositivo",
"recoveryPhraseSecureTitle": "You're almost finished!", "entireAccount": "Limpiar dispositivo y red",
"recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.", "areYouSureDeleteDeviceOnly": "¿Estás seguro de querer eliminar sólo los datos del dispositivo?",
"recoveryPhraseRevealButtonText": "Reveal Recovery Phrase", "areYouSureDeleteEntireAccount": "¿Está seguro que desea eliminar sus datos de la red? Si continúa no podrá restaurar sus mensajes o contactos.",
"notificationSubtitle": "Notifications - $setting$", "iAmSure": "Estoy seguro",
"surveyTitle": "We'd Love Your Feedback", "recoveryPhraseSecureTitle": "¡Ya casi terminas!",
"faq": "FAQ", "recoveryPhraseRevealMessage": "Protege tu cuenta guardando tu frase de recuperación. Revela tu frase de recuperación y guárdala de forma segura para protegerla.",
"support": "Support", "recoveryPhraseRevealButtonText": "Mostrar frase de recuperación",
"clearAll": "Clear All", "notificationSubtitle": "Notificaciones - $setting$",
"clearDataSettingsTitle": "Clear Data", "surveyTitle": "Nos encantaría saber tu opinión",
"messageRequests": "Message Requests", "faq": "Preguntas frecuentes",
"requestsSubtitle": "Pending Requests", "support": "Soporte",
"requestsPlaceholder": "No requests", "clearAll": "Limpiar todo",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "clearDataSettingsTitle": "Limpiar datos",
"incomingCallFrom": "Incoming call from '$name$'", "messageRequests": "Solicitudes de mensaje",
"ringing": "Ringing...", "requestsSubtitle": "Solicitudes pendientes",
"establishingConnection": "Establishing connection...", "requestsPlaceholder": "Sin solicitudes",
"accept": "Accept", "hideRequestBannerDescription": "Ocultar el apartado de solicitud de mensaje hasta que reciba una nueva solicitud de mensaje.",
"decline": "Decline", "incomingCallFrom": "Llamada entrante de '$name$'",
"endCall": "End call", "ringing": "Llamando...",
"permissionsSettingsTitle": "Permissions", "establishingConnection": "Estableciendo conexión...",
"helpSettingsTitle": "Help", "accept": "Aceptar",
"cameraPermissionNeededTitle": "Voice/Video Call permissions required", "decline": "Rechazar",
"cameraPermissionNeeded": "You can enable the 'Voice and video calls' permission in the Privacy Settings.", "endCall": "Finalizar llamada",
"unableToCall": "Cancel your ongoing call first", "permissionsSettingsTitle": "Permisos",
"helpSettingsTitle": "Ayuda",
"cameraPermissionNeededTitle": "Se requieren los permisos de voz/videollamada",
"cameraPermissionNeeded": "Puede activar el permiso 'Voz y videollamadas' en la Configuración de privacidad.",
"unableToCall": "Primero debes cancelar la llamada en curso",
"unableToCallTitle": "No se ha podido iniciar la llamada", "unableToCallTitle": "No se ha podido iniciar la llamada",
"callMissed": "Llamada perdida de $name$", "callMissed": "Llamada perdida de $name$",
"callMissedTitle": "Llamada perdida", "callMissedTitle": "Llamada perdida",
"noCameraFound": "Cámara no encontrada", "noCameraFound": "Cámara no encontrada",
"noAudioInputFound": "No se encontró entrada de audio", "noAudioInputFound": "No se encontró entrada de audio",
"noAudioOutputFound": "No se encontró salida de audio", "noAudioOutputFound": "No se encontró salida de audio",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Llamadas de voz y video (Experimental)",
"callMissedCausePermission": "Llamada perdida de '$name$' porque necesitas habilitar el permiso de 'Llamadas de voz y video' en la configuración de privacidad.", "callMissedCausePermission": "Llamada perdida de '$name$' porque necesitas habilitar el permiso de 'Llamadas de voz y video' en la configuración de privacidad.",
"callMissedNotApproved": "Llamada perdida de '$name$' porque no has aceptado esta conversación. Envía un mensaje primero.", "callMissedNotApproved": "Llamada perdida de '$name$' porque no has aceptado esta conversación. Envía un mensaje primero.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Permite llamadas de voz y video hacia y de otros usuarios.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Su dirección IP será visible para quien vaya a llamar y un servidor de la Fundación Oxen mientras utilice las llamadas experimentales. ¿Está seguro de que desea activar las llamadas de voz y video?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Llamadas de voz y video (Experimental)",
"startedACall": "Has llamado a $name$", "startedACall": "Has llamado a $name$",
"answeredACall": "Llamada con $name$", "answeredACall": "Llamada con $name$",
"trimDatabase": "Reducir Base de Datos", "trimDatabase": "Reducir Base de Datos",
@ -468,25 +479,30 @@
"declineRequestMessage": "¿Estás seguro/a que quieres rechazar esta solicitud de mensaje?", "declineRequestMessage": "¿Estás seguro/a que quieres rechazar esta solicitud de mensaje?",
"respondingToRequestWarning": "Enviar un mensaje a este usuario/a va aceptará su solicitud de mensaje y revelará tu ID de Session automáticamente.", "respondingToRequestWarning": "Enviar un mensaje a este usuario/a va aceptará su solicitud de mensaje y revelará tu ID de Session automáticamente.",
"hideRequestBanner": "Ocultar el banner de solicitud de mensajes", "hideRequestBanner": "Ocultar el banner de solicitud de mensajes",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Solicitudes de mensaje",
"noMessageRequestsPending": "No hay solicitudes de mensajes pendientes", "noMessageRequestsPending": "No hay solicitudes de mensajes pendientes",
"noMediaUntilApproved": "No puedes enviar archivos adjuntos hasta que la conversación sea aceptada", "noMediaUntilApproved": "No puedes enviar archivos adjuntos hasta que la conversación sea aceptada",
"mustBeApproved": "Esta conversación debe ser aceptada para usar esta función", "mustBeApproved": "Esta conversación debe ser aceptada para usar esta función",
"youHaveANewFriendRequest": "Tiene una nueva solicitud de amistad", "youHaveANewFriendRequest": "Tiene una nueva solicitud de amistad",
"clearAllConfirmationTitle": "Borrar todas las solicitudes de mensajes", "clearAllConfirmationTitle": "Borrar todas las solicitudes de mensajes",
"clearAllConfirmationBody": "¿Estás seguro/a que quieres borrar todas las solicitudes de mensajes?", "clearAllConfirmationBody": "¿Estás seguro/a que quieres borrar todas las solicitudes de mensajes?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Ocultar", "hideBanner": "Ocultar",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Ver su bandeja de entrada de solicitudes de mensaje", "openMessageRequestInboxDescription": "Ver su bandeja de entrada de solicitudes de mensaje",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "¿Estás seguro de que quieres eliminar todos los $emoji$?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Mostrar menos",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacciona a un mensaje con $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "¡Despacio! Has enviado demasiados emojis. Prueba de nuevo pronto",
"otherPlural": "$number$ others", "otherSingular": "$number$ otro",
"reactionPopup": "reacted with", "otherPlural": "$number$ otros",
"reactionPopup": "reaccionaron con",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ y $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ y $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ y",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Y $otherSingular$ ha reaccionado <span>$emoji$</span> a este mensaje",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Y $otherPlural$ han reaccionado <span>$emoji$</span> a este mensaje"
} }

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Laadimine...", "loading": "Laadimine...",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Kontaktid", "contactsHeader": "Kontaktid",
"messagesHeader": "Sõnumid", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Selle vestluse sisestuse animatsioon", "typingAlt": "Selle vestluse sisestuse animatsioon",
"contactAvatarAlt": "Kontakti $name$ pilt", "contactAvatarAlt": "Kontakti $name$ pilt",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Kustuta sõnumid", "deleteMessages": "Kustuta sõnumid",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "Saatja", "from": "Saatja",
@ -107,29 +108,30 @@
"sent": "Saadetud", "sent": "Saadetud",
"received": "Saadud", "received": "Saadud",
"sendMessage": "Saada sõnum", "sendMessage": "Saada sõnum",
"groupMembers": "Grupi liikmed", "groupMembers": "Members",
"moreInformation": "More information", "moreInformation": "More information",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "Kas kustutada see vestlus jäädavalt?", "deleteConversationConfirmation": "Kas kustutada see vestlus jäädavalt?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Tsiteeritud sõnumist pärit pildi pisipilt", "quoteThumbnailAlt": "Tsiteeritud sõnumist pärit pildi pisipilt",
"imageAttachmentAlt": "Pilt lisatud sõnumile", "imageAttachmentAlt": "Pilt lisatud sõnumile",
"videoAttachmentAlt": "Sõnumile lisatud video ekraanipilt", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Vestluses saadetud pilt", "lightboxImageAlt": "Vestluses saadetud pilt",
"imageCaptionIconAlt": "Ikoon näitamaks, et sellel pildil on seletus.", "imageCaptionIconAlt": "Ikoon näitamaks, et sellel pildil on seletus.",
"addACaption": "Lisa pealkiri...", "addACaption": "Lisa pealkiri...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Salvesta", "save": "Salvesta",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Nii saatja nime kui sõnumi sisu", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Ei nime ega sisu", "noNameOrMessage": "Ei nime ega sisu",
"nameOnly": "Ainult saatja nime", "nameOnly": "Ainult saatja nime",
"newMessage": "Uus sõnum", "newMessage": "Uus sõnum",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 tundi", "timerOption_12_hours": "12 tundi",
"timerOption_1_day": "1 päev", "timerOption_1_day": "1 päev",
"timerOption_1_week": "1 nädal", "timerOption_1_week": "1 nädal",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Kaduvad sõnumid", "disappearingMessages": "Kaduvad sõnumid",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1p", "timerOption_1_day_abbreviated": "1p",
"timerOption_1_week_abbreviated": "1ndl", "timerOption_1_week_abbreviated": "1ndl",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Kaduvad sõnumid on keelatud", "disappearingMessagesDisabled": "Kaduvad sõnumid on keelatud",
"disabledDisappearingMessages": "$name$ keelas kaduvad sõnumid", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Sa keelasid kaduvad sõnumid", "youDisabledDisappearingMessages": "Sa keelasid kaduvad sõnumid",
"timerSetTo": "Taimer on määratud: $time$", "timerSetTo": "Taimer on määratud: $time$",
"noteToSelf": "Märkus endale", "noteToSelf": "Märkus endale",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "Vigane number", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ ühinesid grupiga", "multipleJoinedTheGroup": "$names$ ühinesid grupiga",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "دعوت انجمن", "openGroupInvitation": "دعوت انجمن",
"joinOpenGroupAfterInvitationConfirmationTitle": "جوین شدن به $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "جوین شدن به $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "آیا مطمئن هستید که میخواهید عضو انجمن $roomName$ شوید؟", "joinOpenGroupAfterInvitationConfirmationDesc": "آیا مطمئن هستید که میخواهید عضو انجمن $roomName$ شوید؟",
"couldntFindServerMatching": "سرور گروه عمومی مورد نظر یافت نشد", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "شناسه Session یا نام ONS را وارید کنید", "enterSessionIDOrONSName": "شناسه Session یا نام ONS را وارید کنید",
"startNewConversationBy...": "یک مکالمه جدید را با وارد کردن شناسه Session شخصی شروع کنید یا شناسه جلسه خود را با آنها به اشتراک بگذارید.", "startNewConversationBy...": "یک مکالمه جدید را با وارد کردن شناسه Session شخصی شروع کنید یا شناسه جلسه خود را با آنها به اشتراک بگذارید.",
"loading": "در حال بارگذاری...", "loading": "در حال بارگذاری...",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "گروه ها و مخاطبین", "conversationsHeader": "گروه ها و مخاطبین",
"contactsHeader": "مخاطبین", "contactsHeader": "مخاطبین",
"messagesHeader": "پیام ها", "messagesHeader": "Conversations",
"settingsHeader": "تنظیمات", "settingsHeader": "تنظیمات",
"typingAlt": "در حال تایپ انیمیشن برای این مکالمه", "typingAlt": "در حال تایپ انیمیشن برای این مکالمه",
"contactAvatarAlt": "آواتار متعلق به مخاطب $name$", "contactAvatarAlt": "آواتار متعلق به مخاطب $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "حذف $count$ پیام؟", "deleteMessagesQuestion": "حذف $count$ پیام؟",
"deleteMessageQuestion": "این پیام حذف شود؟", "deleteMessageQuestion": "این پیام حذف شود؟",
"deleteMessages": "حذف پیام‌ها", "deleteMessages": "حذف پیام‌ها",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ پیام حذف شد", "deleted": "$count$ پیام حذف شد",
"messageDeletedPlaceholder": "این پیام حذف شده است", "messageDeletedPlaceholder": "این پیام حذف شده است",
"from": "از", "from": "از",
@ -114,7 +115,7 @@
"clear": "پاک ", "clear": "پاک ",
"clearAllData": "پاک کردن همه داتا", "clearAllData": "پاک کردن همه داتا",
"deleteAccountWarning": "این کار پیام‌ها و مخاطبین شما را برای همیشه حذف می‌کند.", "deleteAccountWarning": "این کار پیام‌ها و مخاطبین شما را برای همیشه حذف می‌کند.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?", "deleteAccountFromLogin": "آیا مطمئن هستید میخواهید دستگاهتان را پاکسازی کنید؟",
"deleteContactConfirmation": "آیا مطمئن هستید که می‌خواهید این مکالمه را حذف کنید؟", "deleteContactConfirmation": "آیا مطمئن هستید که می‌خواهید این مکالمه را حذف کنید؟",
"quoteThumbnailAlt": "پیش‌نمایش تصویر از پیام نقل قول شده", "quoteThumbnailAlt": "پیش‌نمایش تصویر از پیام نقل قول شده",
"imageAttachmentAlt": "تصویر پیوست شده به پیام", "imageAttachmentAlt": "تصویر پیوست شده به پیام",
@ -123,14 +124,14 @@
"imageCaptionIconAlt": "آیکون نشان می‌دهد که این تصویر دارای یک عنوان است", "imageCaptionIconAlt": "آیکون نشان می‌دهد که این تصویر دارای یک عنوان است",
"addACaption": "یک عنوان اضافه کنید...", "addACaption": "یک عنوان اضافه کنید...",
"copySessionID": "کپی شناسه‌ی Session", "copySessionID": "کپی شناسه‌ی Session",
"copyOpenGroupURL": "کپی کردن URL گروه", "copyOpenGroupURL": "رونوشت از پیوست گروه",
"save": "ذخیره", "save": "ذخیره",
"saveLogToDesktop": "ذخیره گزارش در دسکتاپ", "saveLogToDesktop": "ذخیره گزارش در دسکتاپ",
"saved": "ذخیره شده", "saved": "ذخیره شده",
"tookAScreenshot": "$name$ از صفحه یک عکس گرفت", "tookAScreenshot": "$name$ از صفحه یک عکس گرفت",
"savedTheFile": "رسانه توسط $name$ ذخیره شد", "savedTheFile": "رسانه توسط $name$ ذخیره شد",
"linkPreviewsTitle": "ارسال پیش‌نمایش‌های لینک", "linkPreviewsTitle": "ارسال پیش‌نمایش‌های لینک",
"linkPreviewDescription": "ایجاد پیش‌نمایش‌های لینک برای URLهای تحت پشتیبانی.", "linkPreviewDescription": "ایجاد پیش‌نمایش‌ برای پیوست های تحت پشتیبانی.",
"linkPreviewsConfirmMessage": "با ارسال پیش‌نمایش لینک‌ها محافظت کامل از متادیتا نخواهید داشت.", "linkPreviewsConfirmMessage": "با ارسال پیش‌نمایش لینک‌ها محافظت کامل از متادیتا نخواهید داشت.",
"mediaPermissionsTitle": "میکروفون", "mediaPermissionsTitle": "میکروفون",
"mediaPermissionsDescription": "اجازه دسترسی به میکروفون", "mediaPermissionsDescription": "اجازه دسترسی به میکروفون",
@ -143,7 +144,7 @@
"typingIndicatorsSettingTitle": "نشانگر‌های در حال تایپ", "typingIndicatorsSettingTitle": "نشانگر‌های در حال تایپ",
"zoomFactorSettingTitle": "فاکتور زوم", "zoomFactorSettingTitle": "فاکتور زوم",
"themesSettingTitle": "تم‌ها", "themesSettingTitle": "تم‌ها",
"primaryColor": "رنگ اولیه", "primaryColor": "رنگ اصلی",
"primaryColorGreen": "رنگ اصلی سبز", "primaryColorGreen": "رنگ اصلی سبز",
"primaryColorBlue": "رنگ اصلی آبی", "primaryColorBlue": "رنگ اصلی آبی",
"primaryColorYellow": "رنگ اصلی زرد", "primaryColorYellow": "رنگ اصلی زرد",
@ -156,7 +157,7 @@
"oceanDarkThemeTitle": "آبی اقیانوسی تیره", "oceanDarkThemeTitle": "آبی اقیانوسی تیره",
"oceanLightThemeTitle": "آبی اقیانوسی روشن", "oceanLightThemeTitle": "آبی اقیانوسی روشن",
"pruneSettingTitle": "مرتب‌سازی انجمن‌ها", "pruneSettingTitle": "مرتب‌سازی انجمن‌ها",
"pruneSettingDescription": "پیام‌های قدیمی‌تر از ۶ ماه را از انجمن‌های دارای بیش از ۲۰۰۰ پیام، حذف کنید.", "pruneSettingDescription": "حذف پیام‌های قدیمی‌تر از ۶ ماه از انجمن‌های دارای بیش از ۲۰۰۰ پیام.",
"enable": "فعال سازی", "enable": "فعال سازی",
"keepDisabled": "غیر فعال بماند", "keepDisabled": "غیر فعال بماند",
"notificationSettingsDialog": "اطلاعات که در اعلانات نمایش میشود.", "notificationSettingsDialog": "اطلاعات که در اعلانات نمایش میشود.",
@ -213,7 +214,7 @@
"timerOption_1_week_abbreviated": "۱ ه", "timerOption_1_week_abbreviated": "۱ ه",
"timerOption_2_weeks_abbreviated": ه", "timerOption_2_weeks_abbreviated": ه",
"disappearingMessagesDisabled": "پیام های نابود شونده غیر فعال شدند", "disappearingMessagesDisabled": "پیام های نابود شونده غیر فعال شدند",
"disabledDisappearingMessages": "$name$ پیام های نابود شونده را غیر فعال کرد", "disabledDisappearingMessages": "$name$ پیام های ناپدید شونده را غیر فعال کرده است.",
"youDisabledDisappearingMessages": "شما پیام های نابود شونده را غیر فعال کردید", "youDisabledDisappearingMessages": "شما پیام های نابود شونده را غیر فعال کردید",
"timerSetTo": "تایمر روی $time$ تنظیم شد", "timerSetTo": "تایمر روی $time$ تنظیم شد",
"noteToSelf": "یادداشت به خود", "noteToSelf": "یادداشت به خود",
@ -240,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ عضو گروه شد", "multipleJoinedTheGroup": "$names$ عضو گروه شد",
"kickedFromTheGroup": "$name$ از گروه حذف شد.", "kickedFromTheGroup": "$name$ از گروه حذف شد.",
"multipleKickedFromTheGroup": "$name$ از گروه حذف شدند.", "multipleKickedFromTheGroup": "$name$ از گروه حذف شدند.",
"blockUser": "مسدود کردن", "block": "Block",
"unblockUser": "رفع مسدودیت", "unblock": "Unblock",
"unblocked": "رفع مسدودی", "unblocked": "رفع مسدودی",
"blocked": "مسدود شده", "blocked": "مسدود شده",
"blockedSettingsTitle": "مخاطبین مسدود شده", "blockedSettingsTitle": "مخاطبین مسدود شده",
@ -269,11 +270,11 @@
"updateGroupDialogTitle": "به روز رسانی $name$...", "updateGroupDialogTitle": "به روز رسانی $name$...",
"showRecoveryPhrase": "عبارت بازیابی", "showRecoveryPhrase": "عبارت بازیابی",
"yourSessionID": "شناسه Session شما", "yourSessionID": "شناسه Session شما",
"setAccountPasswordTitle": "رمز عبور", "setAccountPasswordTitle": "گذرواژه",
"setAccountPasswordDescription": "نیاز به رمزعبور برای باز کردن قفل Session", "setAccountPasswordDescription": "نیاز به رمزعبور برای باز کردن قفل Session",
"changeAccountPasswordTitle": "تغییر رمز عبور", "changeAccountPasswordTitle": "تغییر گذرواژه",
"changeAccountPasswordDescription": "رمز عبور لازم برای باز کردن قفل Session را تغییر دهید.", "changeAccountPasswordDescription": "رمز عبور لازم برای باز کردن قفل Session را تغییر دهید.",
"removeAccountPasswordTitle": "حذف رمز عبور حساب‌کاربری", "removeAccountPasswordTitle": "حذف گذرواژه",
"removeAccountPasswordDescription": "رمز عبور لازم برای باز کردن قفل Session را حذف کنید.", "removeAccountPasswordDescription": "رمز عبور لازم برای باز کردن قفل Session را حذف کنید.",
"enterPassword": "لطفاً رمز عبورتان را وارد نمایید.", "enterPassword": "لطفاً رمز عبورتان را وارد نمایید.",
"confirmPassword": "تأیید رمز عبور", "confirmPassword": "تأیید رمز عبور",
@ -298,12 +299,12 @@
"setPasswordInvalid": "رمزهای عبور مطابقت ندارند", "setPasswordInvalid": "رمزهای عبور مطابقت ندارند",
"changePasswordInvalid": "رمز عبور قدیمی وارد شده صحیح نیست", "changePasswordInvalid": "رمز عبور قدیمی وارد شده صحیح نیست",
"removePasswordInvalid": "رمز عبور نادرست است", "removePasswordInvalid": "رمز عبور نادرست است",
"setPasswordTitle": "رمز عبور تنظیم شد", "setPasswordTitle": "گذرواژه تنظیم شد",
"changePasswordTitle": "رمز عبور تغییر یافت", "changePasswordTitle": "گذرواژه تغییر کرد",
"removePasswordTitle": "رمز عبور حذف شد", "removePasswordTitle": "گذرواژه حذف شد",
"setPasswordToastDescription": "رمز عبور شما تنظیم شده است. لطفاً آن را فراموش نکنید.", "setPasswordToastDescription": "رمز عبور شما تنظیم شده است. لطفاً آن را فراموش نکنید.",
"changePasswordToastDescription": "رمز عبور شما تغییر یافته است. لطفاً آن را فراموش نکنید.", "changePasswordToastDescription": "رمز عبور شما تغییر یافته است. لطفاً آن را فراموش نکنید.",
"removePasswordToastDescription": "رمز عبور شما حذف شده است.", "removePasswordToastDescription": "گذرواژه شما حذف شده است.",
"publicChatExists": "شما قبلا عضو این گروه شده اید", "publicChatExists": "شما قبلا عضو این گروه شده اید",
"connectToServerFail": "نمی‌توانید محلق شوید", "connectToServerFail": "نمی‌توانید محلق شوید",
"connectingToServer": "در حال اتصال...", "connectingToServer": "در حال اتصال...",
@ -358,11 +359,14 @@
"appearanceSettingsTitle": "ظاهر", "appearanceSettingsTitle": "ظاهر",
"privacySettingsTitle": "حریم خصوصی", "privacySettingsTitle": "حریم خصوصی",
"notificationsSettingsTitle": "اعلانات", "notificationsSettingsTitle": "اعلانات",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "محتوی اعلان", "notificationsSettingsContent": "محتوی اعلان",
"notificationPreview": "پیش نمایش", "notificationPreview": "پیش نمایش",
"recoveryPhraseEmpty": "عبارت بازیابی خود را وارد کنید", "recoveryPhraseEmpty": "عبارت بازیابی خود را وارد کنید",
"displayNameEmpty": "لطفا یک نام نمایشی وارد کنید", "displayNameEmpty": "لطفا یک نام نمایشی وارد کنید",
"displayNameTooLong": "Display name is too long",
"members": "$count$ عضو", "members": "$count$ عضو",
"activeMembers": "$count$ active members",
"join": "پیوستن", "join": "پیوستن",
"joinOpenGroup": "پیوستن به انجمن", "joinOpenGroup": "پیوستن به انجمن",
"createGroup": "ایجاد گروه", "createGroup": "ایجاد گروه",
@ -409,6 +413,7 @@
"trustThisContactDialogDescription": "آیا مطمئنید که میخواهید رسانه های ارسال شده توسط $name$ را بارگذاری کنید؟", "trustThisContactDialogDescription": "آیا مطمئنید که میخواهید رسانه های ارسال شده توسط $name$ را بارگذاری کنید؟",
"pinConversation": "سنجاق کردن گفتگو", "pinConversation": "سنجاق کردن گفتگو",
"unpinConversation": "گفتگو را از حالت پین خارج کنید", "unpinConversation": "گفتگو را از حالت پین خارج کنید",
"markUnread": "Mark Unread",
"showUserDetails": "نمایش جزئیات کاربر", "showUserDetails": "نمایش جزئیات کاربر",
"sendRecoveryPhraseTitle": "ارسال عبارت بازیابی", "sendRecoveryPhraseTitle": "ارسال عبارت بازیابی",
"sendRecoveryPhraseMessage": "شما در حال تلاش برای ارسال عبارت بازیابی خود هستید که می تواند برای دسترسی به حساب خود استفاده شود. آیا مطمئن هستید که می خواهید این پیام را ارسال کنید؟", "sendRecoveryPhraseMessage": "شما در حال تلاش برای ارسال عبارت بازیابی خود هستید که می تواند برای دسترسی به حساب خود استفاده شود. آیا مطمئن هستید که می خواهید این پیام را ارسال کنید؟",
@ -418,8 +423,8 @@
"dialogClearAllDataDeletionFailedMultiple": "داده‌هایی که توسط گره‌های سرویس حذف نشده‌اند: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "داده‌هایی که توسط گره‌های سرویس حذف نشده‌اند: $snodes$",
"dialogClearAllDataDeletionQuestion": "آیا می‌خواهید فقط این دستگاه را پاک کنید یا داتا خود را از شبکه نیز حذف کنید؟", "dialogClearAllDataDeletionQuestion": "آیا می‌خواهید فقط این دستگاه را پاک کنید یا داتا خود را از شبکه نیز حذف کنید؟",
"clearDevice": "پاک کردن دستگاه", "clearDevice": "پاک کردن دستگاه",
"tryAgain": "تلاش مجدد کنید", "tryAgain": "دوباره امتحان کنید",
"areYouSureClearDevice": "آیا مطمئن هستید که می‌خواهید دستگاه‌تان را پاک کنید؟", "areYouSureClearDevice": "آیا از پاک سازی دستگاه خود اطمینان دارید؟",
"deviceOnly": "فقط پاک کردن دستگاه", "deviceOnly": "فقط پاک کردن دستگاه",
"entireAccount": "پاک کردن دستگاه و شبکه", "entireAccount": "پاک کردن دستگاه و شبکه",
"areYouSureDeleteDeviceOnly": "آیا مطمئن هستید که می خواهید فقط داده های دستگاه خود را حذف کنید؟", "areYouSureDeleteDeviceOnly": "آیا مطمئن هستید که می خواهید فقط داده های دستگاه خود را حذف کنید؟",
@ -481,12 +486,16 @@
"youHaveANewFriendRequest": "شما درخواست دوستی جدیدی دارید", "youHaveANewFriendRequest": "شما درخواست دوستی جدیدی دارید",
"clearAllConfirmationTitle": "پاک کردن تمام درخواست ها", "clearAllConfirmationTitle": "پاک کردن تمام درخواست ها",
"clearAllConfirmationBody": "از پاک کردن تمام درخواست مکالمات مطمئن هستید?", "clearAllConfirmationBody": "از پاک کردن تمام درخواست مکالمات مطمئن هستید?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "پنهان کردن", "hideBanner": "پنهان کردن",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "نشان دادن بخش درخواست های پیام رسانی شما", "openMessageRequestInboxDescription": "نشان دادن بخش درخواست های پیام رسانی شما",
"clearAllReactions": "آیا مطمئن هستید میخواید کل $emoji$ را پاک کنید؟", "clearAllReactions": "آیا مطمئن هستید میخواید کل $emoji$ را پاک کنید؟",
"expandedReactionsText": "نمایش کمتر", "expandedReactionsText": "نمایش کمتر",
"reactionNotification": "به یک پیام با $emoji$ واکنش بده", "reactionNotification": "به یک پیام با $emoji$ واکنش بده",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon", "rateLimitReactMessage": "آهسته! شما بیش از اندازه ایموجی واکنش ارسال کرده اید. بزودی دوباره تلاش کنید",
"otherSingular": "$number$ دیگر", "otherSingular": "$number$ دیگر",
"otherPlural": "$number$ دیگران", "otherPlural": "$number$ دیگران",
"reactionPopup": "واکنش داده با", "reactionPopup": "واکنش داده با",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Vaihda kokoruututila", "viewMenuToggleFullScreen": "Vaihda kokoruututila",
"viewMenuToggleDevTools": "Näytä/piilota kehittäjätyökalut", "viewMenuToggleDevTools": "Näytä/piilota kehittäjätyökalut",
"contextMenuNoSuggestions": "Ei ehdotuksia", "contextMenuNoSuggestions": "Ei ehdotuksia",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Yhteisökutsu",
"joinOpenGroupAfterInvitationConfirmationTitle": "Liity huoneeseen $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Liity huoneeseen $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Haluatko varmasti liittyä yhteisöön $roomName$?",
"couldntFindServerMatching": "Vastaavaa avointa Open Group -ryhmäpalvelinta ei löytynyt", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Syötä Session ID tai OSN-nimi", "enterSessionIDOrONSName": "Syötä Session ID tai OSN-nimi",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Aloita uusi keskustelu syöttämällä käyttäjän Session ID tai jaa oma ID:si heille.",
"loading": "Ladataan...", "loading": "Ladataan...",
"done": "Valmis", "done": "Valmis",
"youLeftTheGroup": "Olet poistunut ryhmästä.", "youLeftTheGroup": "Olet poistunut ryhmästä.",
"youGotKickedFromGroup": "Sinut poistettiin ryhmästä.", "youGotKickedFromGroup": "Sinut poistettiin ryhmästä.",
"unreadMessages": "Lukemattomat viestit", "unreadMessages": "Lukemattomat viestit",
"debugLogExplanation": "Tämä loki tallennetaan työpöydällesi.", "debugLogExplanation": "Tämä loki tallennetaan työpöydällesi.",
"reportIssue": "Report a Bug", "reportIssue": "Ilmoita virheestä",
"markAllAsRead": "Merkitse kaikki luetuiksi", "markAllAsRead": "Merkitse kaikki luetuiksi",
"incomingError": "Virhe saapuvan viestin käsittelyssä", "incomingError": "Virhe saapuvan viestin käsittelyssä",
"media": "Media", "media": "Media",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Valittua liitettä ei voitu ladata.", "unableToLoadAttachment": "Valittua liitettä ei voitu ladata.",
"offline": "Ei yhteyttä", "offline": "Ei yhteyttä",
"debugLog": "Virheenkorjausloki", "debugLog": "Virheenkorjausloki",
"showDebugLog": "Export Logs", "showDebugLog": "Vie lokitiedot",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Vie lokitiedot ja lähetä tiedosto Sessionin tukipalvelusta.",
"goToReleaseNotes": "Siirry julkaisutietoihin", "goToReleaseNotes": "Siirry julkaisutietoihin",
"goToSupportPage": "Siirry tukisivulle", "goToSupportPage": "Siirry tukisivulle",
"about": "Tietoja", "about": "Tietoja",
@ -72,7 +72,7 @@
"noSearchResults": "Ei tuloksia haulle: \"$searchTerm$\"", "noSearchResults": "Ei tuloksia haulle: \"$searchTerm$\"",
"conversationsHeader": "Yhteystiedot ja ryhmät", "conversationsHeader": "Yhteystiedot ja ryhmät",
"contactsHeader": "Yhteystiedot", "contactsHeader": "Yhteystiedot",
"messagesHeader": "Viestit", "messagesHeader": "Conversations",
"settingsHeader": "Asetukset", "settingsHeader": "Asetukset",
"typingAlt": "Kirjoitusanimaatio tälle keskustelulle", "typingAlt": "Kirjoitusanimaatio tälle keskustelulle",
"contactAvatarAlt": "Yhteystiedon $name$ kuvake", "contactAvatarAlt": "Yhteystiedon $name$ kuvake",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Poistetaanko $count$ viestiä?", "deleteMessagesQuestion": "Poistetaanko $count$ viestiä?",
"deleteMessageQuestion": "Poistetaanko viesti?", "deleteMessageQuestion": "Poistetaanko viesti?",
"deleteMessages": "Poista viestit", "deleteMessages": "Poista viestit",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ poistettiin", "deleted": "$count$ poistettiin",
"messageDeletedPlaceholder": "Viesti on poistettu", "messageDeletedPlaceholder": "Viesti on poistettu",
"from": "Lähettäjä", "from": "Lähettäjä",
@ -107,17 +108,18 @@
"sent": "Lähetetty", "sent": "Lähetetty",
"received": "Vastaanotettu", "received": "Vastaanotettu",
"sendMessage": "Lähetä viesti", "sendMessage": "Lähetä viesti",
"groupMembers": "Ryhmän jäsenet", "groupMembers": "Jäsenet",
"moreInformation": "Lisätietoja", "moreInformation": "Lisätietoja",
"resend": "Lähetä uudelleen", "resend": "Lähetä uudelleen",
"deleteConversationConfirmation": "Poistetaanko tämä keskustelu pysyvästi?", "deleteConversationConfirmation": "Poistetaanko tämä keskustelu pysyvästi?",
"clear": "Clear", "clear": "Tyhjennä",
"clearAllData": "Tyhjennä kaikki tiedot", "clearAllData": "Tyhjennä kaikki tiedot",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Tämä poistaa kaikki viestisi ja yhteystietosi pysyvästi.",
"deleteAccountFromLogin": "Haluatko varmasti tyhjentää laitteesi?",
"deleteContactConfirmation": "Haluatko varmasti poistaa keskustelun?", "deleteContactConfirmation": "Haluatko varmasti poistaa keskustelun?",
"quoteThumbnailAlt": "Lainatun kuvaviestin pikkukuva", "quoteThumbnailAlt": "Lainatun kuvaviestin pikkukuva",
"imageAttachmentAlt": "Viestiin liitetty kuva", "imageAttachmentAlt": "Viestiin liitetty kuva",
"videoAttachmentAlt": "Viestiin liitetyn videon pikkukuva", "videoAttachmentAlt": "Kuvankaappaus viestin videosta",
"lightboxImageAlt": "Lähetetty kuva", "lightboxImageAlt": "Lähetetty kuva",
"imageCaptionIconAlt": "Kuvake, joka näyttää, että tällä kuvalla on kuvateksti", "imageCaptionIconAlt": "Kuvake, joka näyttää, että tällä kuvalla on kuvateksti",
"addACaption": "Lisää kuvateksti...", "addACaption": "Lisää kuvateksti...",
@ -129,44 +131,44 @@
"tookAScreenshot": "$name$ otti kuvakaappauksen!", "tookAScreenshot": "$name$ otti kuvakaappauksen!",
"savedTheFile": "$name$ tallensi median", "savedTheFile": "$name$ tallensi median",
"linkPreviewsTitle": "Lähetä linkkien esikatselut", "linkPreviewsTitle": "Lähetä linkkien esikatselut",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Luo linkkien esikatselut tuetuille URL-osoitteille.",
"linkPreviewsConfirmMessage": "Sinulla ei ole täyttä metatietosuojaa lähetettäessä linkkien esikatseluita.", "linkPreviewsConfirmMessage": "Sinulla ei ole täyttä metatietosuojaa lähetettäessä linkkien esikatseluita.",
"mediaPermissionsTitle": "Mikrofoni", "mediaPermissionsTitle": "Mikrofoni",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Myönnä mikrofonin käyttöoikeus.",
"spellCheckTitle": "Oikeinkirjoituksen tarkistus", "spellCheckTitle": "Oikeinkirjoituksen tarkistus",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Käytä oikolukua kirjoitettaessa viestejä.",
"spellCheckDirty": "Session on käynnistettävä asetusmuutosten käyttöönottamiseksi uudelleen", "spellCheckDirty": "Session on käynnistettävä asetusmuutosten käyttöönottamiseksi uudelleen",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Lähetä lukukuittauksia kahdenkeskisissä keskusteluissa.",
"readReceiptSettingTitle": "Lukukuittaukset", "readReceiptSettingTitle": "Lukukuittaukset",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Näe ja jaa kirjoitusindikaattorit kahdenkeskisissä keskusteluissa.",
"typingIndicatorsSettingTitle": "Kirjoitusindikaattorit", "typingIndicatorsSettingTitle": "Kirjoitusindikaattorit",
"zoomFactorSettingTitle": "Zoomauskerroin", "zoomFactorSettingTitle": "Zoomauskerroin",
"themesSettingTitle": "Themes", "themesSettingTitle": "Teemat",
"primaryColor": "Primary Color", "primaryColor": "Pääväri",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Pääväri vihreä",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Pääväri sininen",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Pääväri keltainen",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Pääväri pinkki",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Pääväri violetti",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Pääväri oranssi",
"primaryColorRed": "Primary color red", "primaryColorRed": "Pääväri punainen",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Tumma klassinen",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Vaalea klassinen",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Tumma valtameri",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Vaalea valtameri",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Tiivistä yhteisöt",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Poista yli 2000 viestin yhteisöistä 6 kuukautta vanhemmat viestit.",
"enable": "Ota käyttöön", "enable": "Ota käyttöön",
"keepDisabled": "Pidä poissa käytöstä", "keepDisabled": "Pidä poissa käytöstä",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Ilmoituksissa näytettävät tiedot.",
"nameAndMessage": "sekä nimi että viesti", "nameAndMessage": "Nimi ja sisältö",
"noNameOrMessage": "ei nimeä eikä viestiä", "noNameOrMessage": "ei nimeä eikä viestiä",
"nameOnly": "vain lähettäjän nimi", "nameOnly": "vain lähettäjän nimi",
"newMessage": "Uusi viesti", "newMessage": "Uusi viesti",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Luo keskustelu uuden yhteystiedon kanssa",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Luo ryhmä olemassa olevista yhteystiedoista",
"joinACommunity": "Join a community", "joinACommunity": "Liity yhteisöön",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Valitse toiminto aloittaksesi keskustelun",
"newMessages": "uutta viestiä", "newMessages": "uutta viestiä",
"notificationMostRecentFrom": "Viimeisimmät yhteystiedolta:", "notificationMostRecentFrom": "Viimeisimmät yhteystiedolta:",
"notificationFrom": "Yhteystiedolta:", "notificationFrom": "Yhteystiedolta:",
@ -174,7 +176,7 @@
"sendFailed": "Lähetys epäonnistui", "sendFailed": "Lähetys epäonnistui",
"mediaMessage": "Mediaviesti", "mediaMessage": "Mediaviesti",
"messageBodyMissing": "Ole hyvä ja syötä viestin keho.", "messageBodyMissing": "Ole hyvä ja syötä viestin keho.",
"messageBody": "Message body", "messageBody": "Viestin sisältö",
"unblockToSend": "Lähettääksesi viestin tälle yhteystiedolle sinun tulee ensin poistaa asettamasi esto.", "unblockToSend": "Lähettääksesi viestin tälle yhteystiedolle sinun tulee ensin poistaa asettamasi esto.",
"unblockGroupToSend": "Lähettääksesi viestin tälle ryhmälle sinun tulee ensin poistaa asettamasi esto.", "unblockGroupToSend": "Lähettääksesi viestin tälle ryhmälle sinun tulee ensin poistaa asettamasi esto.",
"youChangedTheTimer": "Sinä asetit viestien katoamisajan: $time$", "youChangedTheTimer": "Sinä asetit viestien katoamisajan: $time$",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 tuntia", "timerOption_12_hours": "12 tuntia",
"timerOption_1_day": "1 päivä", "timerOption_1_day": "1 päivä",
"timerOption_1_week": "1 viikko", "timerOption_1_week": "1 viikko",
"timerOption_2_weeks": "2 viikkoa",
"disappearingMessages": "Katoavat viestit", "disappearingMessages": "Katoavat viestit",
"changeNickname": "Vaihda lempinimeä", "changeNickname": "Vaihda lempinimeä",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12t", "timerOption_12_hours_abbreviated": "12t",
"timerOption_1_day_abbreviated": "1p", "timerOption_1_day_abbreviated": "1p",
"timerOption_1_week_abbreviated": "1vk", "timerOption_1_week_abbreviated": "1vk",
"timerOption_2_weeks_abbreviated": "2 vk",
"disappearingMessagesDisabled": "Katoavat viestit poistettu käytöstä", "disappearingMessagesDisabled": "Katoavat viestit poistettu käytöstä",
"disabledDisappearingMessages": "$name$asetti katoavat viestit pois päältä", "disabledDisappearingMessages": "$name$ poisti katoavat viestit käytöstä.",
"youDisabledDisappearingMessages": "Sinä asetit katoavat viestit pois päältä", "youDisabledDisappearingMessages": "Sinä asetit katoavat viestit pois päältä",
"timerSetTo": "Ajastin asetettu: $time$", "timerSetTo": "Ajastin asetettu: $time$",
"noteToSelf": "Viestit itselleni", "noteToSelf": "Viestit itselleni",
"hideMenuBarTitle": "Piilota valikkopalkki", "hideMenuBarTitle": "Piilota valikkopalkki",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Valitse järjestelmän valikkopalkin näkyvyys.",
"startConversation": "Aloita uusi keskustelu...", "startConversation": "Aloita uusi keskustelu...",
"invalidNumberError": "Virheellinen numero", "invalidNumberError": "Tarkista Session-tunnus tai ONS-nimi ja yritä uudelleen",
"failedResolveOns": "ONS-nimen selvitys epäonnistui", "failedResolveOns": "ONS-nimen selvitys epäonnistui",
"autoUpdateSettingTitle": "Automaattinen päivitys", "autoUpdateSettingTitle": "Automaattinen päivitys",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Tarkista päivitykset automaattisesti käynnistäessä.",
"autoUpdateNewVersionTitle": "Session päivitys saatavilla", "autoUpdateNewVersionTitle": "Session päivitys saatavilla",
"autoUpdateNewVersionMessage": "Uusi versio Session on saatavilla.", "autoUpdateNewVersionMessage": "Uusi versio Session on saatavilla.",
"autoUpdateNewVersionInstructions": "Paina Käynnistä Session uudelleen asentaaksesi päivitykset.", "autoUpdateNewVersionInstructions": "Paina Käynnistä Session uudelleen asentaaksesi päivitykset.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$names$ liittyivät ryhmään", "multipleJoinedTheGroup": "$names$ liittyivät ryhmään",
"kickedFromTheGroup": "$name$ poistettiin ryhmästä.", "kickedFromTheGroup": "$name$ poistettiin ryhmästä.",
"multipleKickedFromTheGroup": "$name$ poistettiin ryhmästä.", "multipleKickedFromTheGroup": "$name$ poistettiin ryhmästä.",
"blockUser": "Estä", "block": "Block",
"unblockUser": "Poista esto", "unblock": "Unblock",
"unblocked": "Esto poistettiin", "unblocked": "Esto poistettiin",
"blocked": "Estetty", "blocked": "Estetty",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Estetyt yhteystiedot",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Keskustelut",
"unbanUser": "Poista käyttäjän esto", "unbanUser": "Poista käyttäjän esto",
"userUnbanned": "Käyttäjän esto poistettiin", "userUnbanned": "Käyttäjän esto poistettiin",
"userUnbanFailed": "Käyttäjän eston poisto epäonnistui!", "userUnbanFailed": "Käyttäjän eston poisto epäonnistui!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Esto epäonnistui!", "userBanFailed": "Esto epäonnistui!",
"leaveGroup": "Poistu ryhmästä", "leaveGroup": "Poistu ryhmästä",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Poistu ryhmästä ja poista kaikilta",
"leaveGroupConfirmation": "Haluatko varmasti poistua ryhmästä?", "leaveGroupConfirmation": "Haluatko varmasti poistua ryhmästä?",
"leaveGroupConfirmationAdmin": "Koska olet ryhmän ylläpitäjä, poistetaan se kaikilta nykyisiltä jäseniltä, jos poistut siitä. Haluatko varmasti poistua ryhmästä?", "leaveGroupConfirmationAdmin": "Koska olet ryhmän ylläpitäjä, poistetaan se kaikilta nykyisiltä jäseniltä, jos poistut siitä. Haluatko varmasti poistua ryhmästä?",
"cannotRemoveCreatorFromGroup": "Käyttäjää ei voida poistaa", "cannotRemoveCreatorFromGroup": "Käyttäjää ei voida poistaa",
"cannotRemoveCreatorFromGroupDesc": "Et voi poistaa käyttäjää, koska hän on ryhmän luoja.", "cannotRemoveCreatorFromGroupDesc": "Et voi poistaa käyttäjää, koska hän on ryhmän luoja.",
"noContactsForGroup": "Sinulla ei ole yhteystietoja", "noContactsForGroup": "Sinulla ei ole yhteystietoja",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Käyttäjän lisäys valvojaksi epäonnistui",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Käyttäjän poisto valvojista epäonnistui",
"copyMessage": "Kopioi viestin teksti", "copyMessage": "Kopioi viestin teksti",
"selectMessage": "Valitse viesti", "selectMessage": "Valitse viesti",
"editGroup": "Muokkaa ryhmää", "editGroup": "Muokkaa ryhmää",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "Päivitetään $name$...", "updateGroupDialogTitle": "Päivitetään $name$...",
"showRecoveryPhrase": "Palautuslauseke", "showRecoveryPhrase": "Palautuslauseke",
"yourSessionID": "Oma Session ID", "yourSessionID": "Oma Session ID",
"setAccountPasswordTitle": "Aseta tilin salasana", "setAccountPasswordTitle": "Salasana",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Vaadi Sessionin avaukseen salasana.",
"changeAccountPasswordTitle": "Vaihda tilin salasana", "changeAccountPasswordTitle": "Vaihda salasana",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Vaihda Sessionin avaukseen tarvittava salasana.",
"removeAccountPasswordTitle": "Poista tilin salasana", "removeAccountPasswordTitle": "Poista salasana",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Poista Sessionin avaukseen tarvittava salasana.",
"enterPassword": "Syötä salasanasi", "enterPassword": "Syötä salasanasi",
"confirmPassword": "Vahvista salasana", "confirmPassword": "Vahvista salasana",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Syötä uusi salasana",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Vahvista uusi salasana",
"showRecoveryPhrasePasswordRequest": "Syötä salasanasi", "showRecoveryPhrasePasswordRequest": "Syötä salasanasi",
"recoveryPhraseSavePromptMain": "Palautuslausekkeesi on Session ID -tunnuksesi pääavain - sen avulla voit palauttaa Session ID:si, jos menetät pääsyn laitteeseesi. Säilytä palautuslausekkeesi turvallisesti, äläkä luovuta sitä muille.", "recoveryPhraseSavePromptMain": "Palautuslausekkeesi on Session ID -tunnuksesi pääavain - sen avulla voit palauttaa Session ID:si, jos menetät pääsyn laitteeseesi. Säilytä palautuslausekkeesi turvallisesti, äläkä luovuta sitä muille.",
"invalidOpenGroupUrl": "Virheellinen URL-osoite", "invalidOpenGroupUrl": "Virheellinen URL-osoite",
"copiedToClipboard": "Kopioitu leikepöydälle", "copiedToClipboard": "Kopioitu",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Syötä salasana",
"password": "Salasana", "password": "Salasana",
"setPassword": "Aseta salasana", "setPassword": "Aseta salasana",
"changePassword": "Vaihda salasana", "changePassword": "Vaihda salasana",
"createPassword": "Create your password", "createPassword": "Luo salasana",
"removePassword": "Poista salasana", "removePassword": "Poista salasana",
"maxPasswordAttempts": "Virheellinen salasana. Haluatko tyhjentää tietokannan?", "maxPasswordAttempts": "Virheellinen salasana. Haluatko tyhjentää tietokannan?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Syötä nykyinen salasanasi",
"invalidOldPassword": "Vanha salasana on virheellinen", "invalidOldPassword": "Vanha salasana on virheellinen",
"invalidPassword": "Virheellinen salasana", "invalidPassword": "Virheellinen salasana",
"noGivenPassword": "Syötä salasanasi", "noGivenPassword": "Syötä salasanasi",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Salasanat eivät täsmää", "setPasswordInvalid": "Salasanat eivät täsmää",
"changePasswordInvalid": "Syöttämäsi vanha salasana on virheellinen", "changePasswordInvalid": "Syöttämäsi vanha salasana on virheellinen",
"removePasswordInvalid": "Virheellinen salasana", "removePasswordInvalid": "Virheellinen salasana",
"setPasswordTitle": "Aseta salasana", "setPasswordTitle": "Salasana asetettiin",
"changePasswordTitle": "Salasana vaihdettu", "changePasswordTitle": "Salasana vaihdettiin",
"removePasswordTitle": "Salasana poistettu", "removePasswordTitle": "Salasana poistettiin",
"setPasswordToastDescription": "Salasanasi on asetettu. Pidä se turvassa.", "setPasswordToastDescription": "Salasanasi on asetettu. Pidä se turvassa.",
"changePasswordToastDescription": "Salasanasi on vaihdettu. Pidä se turvassa.", "changePasswordToastDescription": "Salasanasi on vaihdettu. Pidä se turvassa.",
"removePasswordToastDescription": "Olet poistanut salasanasi.", "removePasswordToastDescription": "Salasanasi on on poistettu.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Olet jo yhteydessä tähän yhteisöön",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Yhteisöön ei voitu liittyä",
"connectingToServer": "Yhdistetään...", "connectingToServer": "Yhdistetään...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Yhteisöön liittyminen onnistui",
"setPasswordFail": "Salasanan asetus epäonnistui", "setPasswordFail": "Salasanan asetus epäonnistui",
"passwordLengthError": "Salasanan tulee olla 6-64 merkkiä pitkä", "passwordLengthError": "Salasanan tulee olla 6-64 merkkiä pitkä",
"passwordTypeError": "Salasanan on oltava merkkijono", "passwordTypeError": "Salasanan on oltava merkkijono",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Profiili", "editProfileModalTitle": "Profiili",
"groupNamePlaceholder": "Ryhmän nimi", "groupNamePlaceholder": "Ryhmän nimi",
"inviteContacts": "Kutsu yhteystietoja", "inviteContacts": "Kutsu yhteystietoja",
"addModerators": "Add Admins", "addModerators": "Lisätä valvojia",
"removeModerators": "Remove Admins", "removeModerators": "Poista valvoja",
"addAsModerator": "Add as Admin", "addAsModerator": "Lisää valvojana",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Poista valvojista",
"add": "Lisää", "add": "Lisää",
"addingContacts": "Lisätään yhteystietoja ryhmään $name$", "addingContacts": "Lisätään yhteystietoja ryhmään $name$",
"noContactsToAdd": "Ei lisättäviä yhteystietoja", "noContactsToAdd": "Ei lisättäviä yhteystietoja",
"noMembersInThisGroup": "Ryhmässä ei ole muita jäseniä", "noMembersInThisGroup": "Ryhmässä ei ole muita jäseniä",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "poistettavia valvojia ei ole",
"onlyAdminCanRemoveMembers": "Et ole luoja", "onlyAdminCanRemoveMembers": "Et ole luoja",
"onlyAdminCanRemoveMembersDesc": "Vain ryhmän luoja voi poistaa käyttäjiä", "onlyAdminCanRemoveMembersDesc": "Vain ryhmän luoja voi poistaa käyttäjiä",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Säilytä tehtäväpalkin ilmoitusalueella", "startInTrayTitle": "Säilytä tehtäväpalkin ilmoitusalueella",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Pidä Session taustalla käynnissä, kun ikkuna suljetaan.",
"yourUniqueSessionID": "Tervehdi Session ID:täsi", "yourUniqueSessionID": "Tervehdi Session ID:täsi",
"allUsersAreRandomly...": "Session ID on yksilöllinen osoite, jonka avulla muut voivat ottaa sinuun yhteyttä Sessionissa. Sillä ei ole yhteyttä todelliseen identiteettiisi ja se on suunniteltu täysin anonyymiksi ja yksityiseksi.", "allUsersAreRandomly...": "Session ID on yksilöllinen osoite, jonka avulla muut voivat ottaa sinuun yhteyttä Sessionissa. Sillä ei ole yhteyttä todelliseen identiteettiisi ja se on suunniteltu täysin anonyymiksi ja yksityiseksi.",
"getStarted": "Aloita", "getStarted": "Aloita",
@ -344,40 +348,43 @@
"linkDevice": "Liitä laite", "linkDevice": "Liitä laite",
"restoreUsingRecoveryPhrase": "Palauta tilisi", "restoreUsingRecoveryPhrase": "Palauta tilisi",
"or": "tai", "or": "tai",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Käyttämällä palvelua hyväksyt <a href=\"https://getsession.org/terms-of-service \">käyttöehdot</a> ja <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">tietosuojakäytännön</a>",
"beginYourSession": "Aloita keskustelu.", "beginYourSession": "Aloita keskustelu.",
"welcomeToYourSession": "Tervetuloa Sessioniisi", "welcomeToYourSession": "Tervetuloa Sessioniisi",
"searchFor...": "Search conversations and contacts", "searchFor...": "Etsi keskusteluita ja yhteystietoja",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Etsi yhteystietoja",
"enterSessionID": "Syötä Session ID", "enterSessionID": "Syötä Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Syötä yhteystietosi Session ID tai ONS",
"message": "Viesti", "message": "Viesti",
"appearanceSettingsTitle": "Ulkoasu", "appearanceSettingsTitle": "Ulkoasu",
"privacySettingsTitle": "Yksityisyys", "privacySettingsTitle": "Yksityisyys",
"notificationsSettingsTitle": "Ilmoitukset", "notificationsSettingsTitle": "Ilmoitukset",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Ilmoituksen sisältö",
"notificationPreview": "Esikatselu",
"recoveryPhraseEmpty": "Syötä palautuslausekkeesi", "recoveryPhraseEmpty": "Syötä palautuslausekkeesi",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ jäsentä", "members": "$count$ jäsentä",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Liity",
"createGroup": "Create Group", "joinOpenGroup": "Liity yhteisöön",
"create": "Create", "createGroup": "Luo ryhmä",
"create": "Luo",
"createClosedGroupNamePrompt": "Ryhmän nimi", "createClosedGroupNamePrompt": "Ryhmän nimi",
"createClosedGroupPlaceholder": "Syötä ryhmän nimi", "createClosedGroupPlaceholder": "Syötä ryhmän nimi",
"openGroupURL": "Community URL", "openGroupURL": "Yhteisön URL",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Syötä yhteisön URL-osoite",
"next": "Seuraava", "next": "Seuraava",
"invalidGroupNameTooShort": "Syötä ryhmän nimi", "invalidGroupNameTooShort": "Syötä ryhmän nimi",
"invalidGroupNameTooLong": "Syötä ryhmälle lyhyempi nimi", "invalidGroupNameTooLong": "Syötä ryhmälle lyhyempi nimi",
"pickClosedGroupMember": "Valitse ainakin 1 ryhmän jäsen", "pickClosedGroupMember": "Valitse ainakin 1 ryhmän jäsen",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Ryhmässä voi olla enintään 100 jäsentä",
"noBlockedContacts": "Ei estettyjä yhteystietoja", "noBlockedContacts": "Sinulla ei ole estettyjä yhteystietoja.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Käyttäjä lisättiin valvojalistaan",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Käyttäjä poistettiin valvojalistalta",
"orJoinOneOfThese": "Tai liity johonkin näistä...", "orJoinOneOfThese": "Tai liity johonkin näistä...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Käännä Session",
"closedGroupInviteFailTitle": "Ryhmään kutsuminen epäonnistui", "closedGroupInviteFailTitle": "Ryhmään kutsuminen epäonnistui",
"closedGroupInviteFailTitlePlural": "Ryhmäkutsut epäonnistuivat", "closedGroupInviteFailTitlePlural": "Ryhmäkutsut epäonnistuivat",
"closedGroupInviteFailMessage": "Ryhmän jäsenen kutsuminen epäonnistui", "closedGroupInviteFailMessage": "Ryhmän jäsenen kutsuminen epäonnistui",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Yritä kutsuja uudelleen", "closedGroupInviteOkText": "Yritä kutsuja uudelleen",
"closedGroupInviteSuccessTitlePlural": "Ryhmäkutsut suoritettu", "closedGroupInviteSuccessTitlePlural": "Ryhmäkutsut suoritettu",
"closedGroupInviteSuccessTitle": "Ryhmäkutsut suoritettu", "closedGroupInviteSuccessTitle": "Ryhmäkutsut suoritettu",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Ryhmän jäsenet kutsuttiin onnistuneesti",
"notificationForConvo": "Ilmoitukset", "notificationForConvo": "Ilmoitukset",
"notificationForConvo_all": "Kaikki", "notificationForConvo_all": "Kaikki",
"notificationForConvo_disabled": "Ei käytössä", "notificationForConvo_disabled": "Ei käytössä",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Avataanko linkki selaimessa?", "linkVisitWarningTitle": "Avataanko linkki selaimessa?",
"linkVisitWarningMessage": "Haluatko varmasti avata osoitteen $url$ selaimessa?", "linkVisitWarningMessage": "Haluatko varmasti avata osoitteen $url$ selaimessa?",
"open": "Avaa", "open": "Avaa",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Toista ääniviestit automaattisesti",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Toista peräkkäiset ääniviestit automaattisesti.",
"clickToTrustContact": "Lataa media painamalla", "clickToTrustContact": "Lataa media painamalla",
"trustThisContactDialogTitle": "Luotatko yhteystietoon $name$?", "trustThisContactDialogTitle": "Luotatko yhteystietoon $name$?",
"trustThisContactDialogDescription": "Haluatko varmasti ladata käyttäjän $name$ lähettämän median?", "trustThisContactDialogDescription": "Haluatko varmasti ladata käyttäjän $name$ lähettämän median?",
"pinConversation": "Kiinnitä keskustelu", "pinConversation": "Kiinnitä keskustelu",
"unpinConversation": "Irroita keskustelu", "unpinConversation": "Irroita keskustelu",
"markUnread": "Mark Unread",
"showUserDetails": "Näytä käyttäjän tiedot", "showUserDetails": "Näytä käyttäjän tiedot",
"sendRecoveryPhraseTitle": "Palautuslausekkeen lähetys", "sendRecoveryPhraseTitle": "Palautuslausekkeen lähetys",
"sendRecoveryPhraseMessage": "Olet lähettämässä palautuslausekettasi, jonka avulla päästään tilillesi. Haluatko varmasti lähettää viestin?", "sendRecoveryPhraseMessage": "Olet lähettämässä palautuslausekettasi, jonka avulla päästään tilillesi. Haluatko varmasti lähettää viestin?",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "Tietoja ei poistettu tuntemattoman virheen vuoksi. Haluatko poistaa tiedot vain tästä laitteesta?", "dialogClearAllDataDeletionFailedDesc": "Tietoja ei poistettu tuntemattoman virheen vuoksi. Haluatko poistaa tiedot vain tästä laitteesta?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Haluatko poistaa teidot vain tästä laitteesta?", "dialogClearAllDataDeletionFailedTitleQuestion": "Haluatko poistaa teidot vain tästä laitteesta?",
"dialogClearAllDataDeletionFailedMultiple": "Tietoja ei poistettu palvelusolmuista: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Tietoja ei poistettu palvelusolmuista: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Haluatko tyhjentää vain tämän laitteen vai poistaa tietosi myös verkosta?",
"deviceOnly": "Clear Device Only", "clearDevice": "Tyhjennä laitteelta",
"entireAccount": "Clear Device and Network", "tryAgain": "Yritä uudelleen",
"areYouSureClearDevice": "Haluatko varmasti tyhjentää laitteesi?",
"deviceOnly": "Tyhjennä vain laitteelta",
"entireAccount": "Tyhjennä laitteelta ja verkosta",
"areYouSureDeleteDeviceOnly": "Haluatko varmasti poistaa vain oman laitteesi tiedot?", "areYouSureDeleteDeviceOnly": "Haluatko varmasti poistaa vain oman laitteesi tiedot?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Haluatko varmasti poistaa tietosi verkosta? Jos jatkat, et voi palauttaa viestejäsi etkä yhteystietojasi.",
"iAmSure": "Olen varma", "iAmSure": "Olen varma",
"recoveryPhraseSecureTitle": "Olet melkein valmis!", "recoveryPhraseSecureTitle": "Olet melkein valmis!",
"recoveryPhraseRevealMessage": "Suojaa tilisi tallentamalla palautuslausekkeesi. Paljasta palautuslauseke ja säilytä se turvallisesti sen suojaamiseksi.", "recoveryPhraseRevealMessage": "Suojaa tilisi tallentamalla palautuslausekkeesi. Paljasta palautuslauseke ja säilytä se turvallisesti sen suojaamiseksi.",
"recoveryPhraseRevealButtonText": "Paljasta palautuslauseke", "recoveryPhraseRevealButtonText": "Paljasta palautuslauseke",
"notificationSubtitle": "Ilmoitukset - $setting$", "notificationSubtitle": "Ilmoitukset - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Haluaisimme kuulla mielipiteesi",
"faq": "FAQ", "faq": "UKK",
"support": "Support", "support": "Tue",
"clearAll": "Tyhjennä kaikki", "clearAll": "Tyhjennä kaikki",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Tyhjennä tiedot",
"messageRequests": "Viestipyynnöt", "messageRequests": "Viestipyynnöt",
"requestsSubtitle": "Odottavat pyynnöt", "requestsSubtitle": "Odottavat pyynnöt",
"requestsPlaceholder": "Ei pyyntöjä", "requestsPlaceholder": "Ei pyyntöjä",
@ -438,8 +449,8 @@
"accept": "Hyväksy", "accept": "Hyväksy",
"decline": "Kieltäydy", "decline": "Kieltäydy",
"endCall": "Lopeta puhelu", "endCall": "Lopeta puhelu",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Käyttöoikeudet",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Tuki",
"cameraPermissionNeededTitle": "Tarvitaan ääni-/videopuheluiden käyttöoikeus", "cameraPermissionNeededTitle": "Tarvitaan ääni-/videopuheluiden käyttöoikeus",
"cameraPermissionNeeded": "Voit aktivoida 'Ääni- ja videopuhelut' -käyttöoikeuden yksityisyysasetuksista.", "cameraPermissionNeeded": "Voit aktivoida 'Ääni- ja videopuhelut' -käyttöoikeuden yksityisyysasetuksista.",
"unableToCall": "Lopeta nykyinen puhelusi ensin", "unableToCall": "Lopeta nykyinen puhelusi ensin",
@ -449,12 +460,12 @@
"noCameraFound": "Kameraa ei löytynyt", "noCameraFound": "Kameraa ei löytynyt",
"noAudioInputFound": "Äänituloa ei löytynyt", "noAudioInputFound": "Äänituloa ei löytynyt",
"noAudioOutputFound": "Äänilähtöä ei löytynyt", "noAudioOutputFound": "Äänilähtöä ei löytynyt",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Ääni- ja videopuhelut (beta)",
"callMissedCausePermission": "Puhelu käyttäjältä '$name$' jäi vastaamatta, koska puheluita varten yksityisyysasetuksista on myönnettävä 'Ääni- ja videopuhelut' -käyttöoikeus.", "callMissedCausePermission": "Puhelu käyttäjältä '$name$' jäi vastaamatta, koska puheluita varten yksityisyysasetuksista on myönnettävä 'Ääni- ja videopuhelut' -käyttöoikeus.",
"callMissedNotApproved": "Puhelu käyttäjältä '$name$' jäi vastaamatta, koska et ole vielä hyväksynyt tätä keskustelua. Lähetä heille ensin viesti.", "callMissedNotApproved": "Puhelu käyttäjältä '$name$' jäi vastaamatta, koska et ole vielä hyväksynyt tätä keskustelua. Lähetä heille ensin viesti.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Mahdollistaa ääni- ja videopuheluiden soiton ja vastaanoton.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "IP-osoitteesi paljastuu beta-puheluita käytettäessä puhelukumppanillesi ja Oxen Säätiön palvelimelle. Haluatko varmasti ottaa ääni- ja videopuhelut käyttöön?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Ääni- ja videopuhelut (beta)",
"startedACall": "Soitit käyttäjälle $name$", "startedACall": "Soitit käyttäjälle $name$",
"answeredACall": "Puhelu käyttäjälle $name$", "answeredACall": "Puhelu käyttäjälle $name$",
"trimDatabase": "Tiivistä tietokanta", "trimDatabase": "Tiivistä tietokanta",
@ -468,25 +479,30 @@
"declineRequestMessage": "Haluatko varmasti kieltäytyä viestipyynnöstä?", "declineRequestMessage": "Haluatko varmasti kieltäytyä viestipyynnöstä?",
"respondingToRequestWarning": "Viestin lähetys tälle käyttäjälle hyväksyy heidän viestipyyntönsä automaattisesti ja paljastaa Session ID:si.", "respondingToRequestWarning": "Viestin lähetys tälle käyttäjälle hyväksyy heidän viestipyyntönsä automaattisesti ja paljastaa Session ID:si.",
"hideRequestBanner": "Piilota viestipyyntöpalkki", "hideRequestBanner": "Piilota viestipyyntöpalkki",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Viestipyynnöt",
"noMessageRequestsPending": "Ei odottavia viestipyyntöjä", "noMessageRequestsPending": "Ei odottavia viestipyyntöjä",
"noMediaUntilApproved": "Liitteiden lähetys edellyttää keskustelun on hyväksyntää", "noMediaUntilApproved": "Liitteiden lähetys edellyttää keskustelun on hyväksyntää",
"mustBeApproved": "Ominaisuuden käyttö edellyttää keskustelun hyväksyntää", "mustBeApproved": "Ominaisuuden käyttö edellyttää keskustelun hyväksyntää",
"youHaveANewFriendRequest": "Sinulla on uusi kaveripyyntö", "youHaveANewFriendRequest": "Sinulla on uusi kaveripyyntö",
"clearAllConfirmationTitle": "Tyhjennä kaikki viestipyynnöt", "clearAllConfirmationTitle": "Tyhjennä kaikki viestipyynnöt",
"clearAllConfirmationBody": "Haluatko varmasti tyhjentää kaikki viestipyynnöt?", "clearAllConfirmationBody": "Haluatko varmasti tyhjentää kaikki viestipyynnöt?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Piilota", "hideBanner": "Piilota",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Näytä saapuneet viestipyyntösi", "openMessageRequestInboxDescription": "Näytä saapuneet viestipyyntösi",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Haluatko varmasti tyhjentää kaikki $emoji$?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Näytä vähemmän",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reagoi viestiin: $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Hidasta! Olet lähettänyt liian monta emojireaktiota. Yritä hetken kuluttua uudelleen",
"otherPlural": "$number$ others", "otherSingular": "$number$ muu",
"reactionPopup": "reacted with", "otherPlural": "$number$ muuta",
"reactionPopup": "reagoi emojilla",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ ja $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ ja $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ ja",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Ja $otherSingular$ on reagoinut viestiin emojilla <span>$emoji$</span>",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Ja $otherPlural$ on reagoinut viestiin emojilla <span>$emoji$</span>"
} }

View File

@ -1,9 +1,9 @@
{ {
"copyErrorAndQuit": "Kopyahin ang pagkakamali at umalis", "copyErrorAndQuit": "Kopyahin ang pagkakamali at umalis",
"unknown": "Unknown", "unknown": "Hindi kilala",
"databaseError": "Database error", "databaseError": "Database error",
"mainMenuFile": "&File", "mainMenuFile": "&File",
"mainMenuEdit": "&Edit", "mainMenuEdit": "&I-edit",
"mainMenuView": "&View", "mainMenuView": "&View",
"mainMenuWindow": "&Window", "mainMenuWindow": "&Window",
"mainMenuHelp": "&Help", "mainMenuHelp": "&Help",
@ -13,38 +13,38 @@
"appMenuQuit": "Umalis sa Session", "appMenuQuit": "Umalis sa Session",
"editMenuUndo": "Ibalik sa dati", "editMenuUndo": "Ibalik sa dati",
"editMenuRedo": "Ulitin", "editMenuRedo": "Ulitin",
"editMenuCut": "Cut", "editMenuCut": "I-cut",
"editMenuCopy": "Kopyahin", "editMenuCopy": "Kopyahin",
"editMenuPaste": "Idikit", "editMenuPaste": "Idikit",
"editMenuDeleteContact": "Alisin ang Kontak", "editMenuDeleteContact": "Alisin ang Kontak",
"editMenuDeleteGroup": "Alisin ang Grupo", "editMenuDeleteGroup": "Alisin ang Grupo",
"editMenuSelectAll": "Piliin lahat", "editMenuSelectAll": "Piliin lahat",
"windowMenuClose": "Close Window", "windowMenuClose": "Isara ang Window",
"windowMenuMinimize": "Paliitin", "windowMenuMinimize": "Paliitin",
"windowMenuZoom": "Zoom", "windowMenuZoom": "I-zoom",
"viewMenuResetZoom": "Totoong Laki", "viewMenuResetZoom": "Totoong Laki",
"viewMenuZoomIn": "Zoom In", "viewMenuZoomIn": "I-zoom In",
"viewMenuZoomOut": "Zoom Out", "viewMenuZoomOut": "I-zoom Out",
"viewMenuToggleFullScreen": "Toggle Full Screen", "viewMenuToggleFullScreen": "I-toggle ng Full Screen",
"viewMenuToggleDevTools": "Toggle Developer Tools", "viewMenuToggleDevTools": "I-toggle ang Mga Tool ng Developer",
"contextMenuNoSuggestions": "Walang mga mungkahi", "contextMenuNoSuggestions": "Walang mga mungkahi",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Imbitasyon sa komunidad",
"joinOpenGroupAfterInvitationConfirmationTitle": "Sumali sa $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Sumali sa $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Sigurado ka bang nais mong sumali sa komunidad ng $roomName$?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Ilagay ang Session ID o pangalan ng ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Magsimula ng bagong pag-uusap sa pamamagitan ng paglalagay ng Session ID ng isang tao o pagbabahagi ng Session ID mo sa kanila.",
"loading": "Loading...", "loading": "Loading...",
"done": "Tapos na", "done": "Tapos na",
"youLeftTheGroup": "\"Ikaw ay umalis sa grupo\".", "youLeftTheGroup": "\"Ikaw ay umalis sa grupo\".",
"youGotKickedFromGroup": "Ikaw ay inalis sa grupong ito.", "youGotKickedFromGroup": "Ikaw ay inalis sa grupong ito.",
"unreadMessages": "Hindi nabasang mensahe", "unreadMessages": "Hindi nabasang mensahe",
"debugLogExplanation": "\"Ang log na ito ay isi-save sa iyong desktop\".", "debugLogExplanation": "\"Ang log na ito ay isi-save sa iyong desktop\".",
"reportIssue": "Report a Bug", "reportIssue": "Mag-ulat ng Bug",
"markAllAsRead": "Markahan lahat bilang nabasa na", "markAllAsRead": "Markahan lahat bilang nabasa na",
"incomingError": "Error handling incoming message", "incomingError": "Error sa paghawak ng papasok na mensahe",
"media": "Media", "media": "Media",
"mediaEmptyState": "No media", "mediaEmptyState": "Walang media",
"documents": "Dokumento", "documents": "Dokumento",
"documentsEmptyState": "Walang mga dokumento", "documentsEmptyState": "Walang mga dokumento",
"today": "Ngayon", "today": "Ngayon",
@ -52,18 +52,18 @@
"thisWeek": "Ngayong linggo", "thisWeek": "Ngayong linggo",
"thisMonth": "Ngayong buwan", "thisMonth": "Ngayong buwan",
"voiceMessage": "Boses na Mensahe", "voiceMessage": "Boses na Mensahe",
"stagedPreviewThumbnail": "Draft thumbnail link preview for $domain$", "stagedPreviewThumbnail": "I-draft ang preview ng link ng thumbnail para sa $domain$",
"previewThumbnail": "Thumbnail link preview for $domain$", "previewThumbnail": "Preview ng link ng thumbnail para sa $domain$",
"stagedImageAttachment": "Draft image attachment: $path$", "stagedImageAttachment": "I-draft ang attachment na imahe: $path$",
"oneNonImageAtATimeToast": "\"Sorry, limitado lang sa isang non-image attachment sa bawat mensahe\"", "oneNonImageAtATimeToast": "\"Sorry, limitado lang sa isang non-image attachment sa bawat mensahe\"",
"cannotMixImageAndNonImageAttachments": "Paumanhin, hindi pwedeng ihalo ang mga imahen sa iba pang file types sa isang mensahe", "cannotMixImageAndNonImageAttachments": "Paumanhin, hindi pwedeng ihalo ang mga imahen sa iba pang file types sa isang mensahe",
"maximumAttachments": "Naabot na ang maximun attachments. Pakisuyong ipadala ang natitirang attachments sa hiwalay na mensahe.", "maximumAttachments": "Naabot na ang maximun attachments. Pakisuyong ipadala ang natitirang attachments sa hiwalay na mensahe.",
"fileSizeWarning": "Lampas ang laki ng attachment para sa uri ng mensahe na ipapadala mo.", "fileSizeWarning": "Lampas ang laki ng attachment para sa uri ng mensahe na ipapadala mo.",
"unableToLoadAttachment": "Paumanhin, nagkaroon ng error sa setting ng iyong attachment.", "unableToLoadAttachment": "Paumanhin, nagkaroon ng error sa setting ng iyong attachment.",
"offline": "Offline", "offline": "Offline",
"debugLog": "Debug Log", "debugLog": "I-debug ang Log",
"showDebugLog": "Export Logs", "showDebugLog": "I-export ang mga Log",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "I-export ang iyong mga log, pagkatapos ay i-upload ang file sa Help Desk ng Session.",
"goToReleaseNotes": "Pumunta sa Release Notes", "goToReleaseNotes": "Pumunta sa Release Notes",
"goToSupportPage": "Pumunta sa Support Page", "goToSupportPage": "Pumunta sa Support Page",
"about": "Tungkol sa", "about": "Tungkol sa",
@ -72,13 +72,13 @@
"noSearchResults": "Walang nakita para sa \"$searchTerm$\"", "noSearchResults": "Walang nakita para sa \"$searchTerm$\"",
"conversationsHeader": "Mga Grupo ng Kontak", "conversationsHeader": "Mga Grupo ng Kontak",
"contactsHeader": "Kontak", "contactsHeader": "Kontak",
"messagesHeader": "Mga mensahe", "messagesHeader": "Conversations",
"settingsHeader": "Mga Settings", "settingsHeader": "Mga Settings",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Pag-type ng animation para sa usapan na ito",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Avatar para sa contact na si $name$",
"downloadAttachment": "I-download ang attachment", "downloadAttachment": "I-download ang attachment",
"replyToMessage": "Sagot sa mensahe", "replyToMessage": "Sagot sa mensahe",
"replyingToMessage": "Replying to:", "replyingToMessage": "Sinasagot si:",
"originalMessageNotFound": "Hindi makita ang orihinal na mensahe", "originalMessageNotFound": "Hindi makita ang orihinal na mensahe",
"you": "Ikaw", "you": "Ikaw",
"audioPermissionNeededTitle": "Microphone access required", "audioPermissionNeededTitle": "Microphone access required",
@ -97,89 +97,91 @@
"messageDeletionForbidden": "Wala kang pahintulot para tangalin ang mensahe ng iba", "messageDeletionForbidden": "Wala kang pahintulot para tangalin ang mensahe ng iba",
"deleteJustForMe": "Burahin para sa akin lang", "deleteJustForMe": "Burahin para sa akin lang",
"deleteForEveryone": "Burahin para sa lahat", "deleteForEveryone": "Burahin para sa lahat",
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Burahin ang $count$ (na) mensahe?",
"deleteMessageQuestion": "Burahin ang mensaheng ito?", "deleteMessageQuestion": "Burahin ang mensaheng ito?",
"deleteMessages": "Burahin ang mga mensahe", "deleteMessages": "Burahin ang mga mensahe",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"deleted": "Nabura ang $count$",
"messageDeletedPlaceholder": "Ang mensaheng ito ay nabura na", "messageDeletedPlaceholder": "Ang mensaheng ito ay nabura na",
"from": "Mula kay:", "from": "Mula kay:",
"to": "Galing kay:", "to": "Galing kay:",
"sent": "Ipinadala", "sent": "Ipinadala",
"received": "Natanggap", "received": "Natanggap",
"sendMessage": "Mensahe", "sendMessage": "Mensahe",
"groupMembers": "Mga Miyembro ng Grupo", "groupMembers": "Mga Miyembro",
"moreInformation": "Higit pang impormasyon", "moreInformation": "Higit pang impormasyon",
"resend": "Ipadala muli", "resend": "Ipadala muli",
"deleteConversationConfirmation": "Burahin ng tuluyan ang mga mensahe sa usapang ito?", "deleteConversationConfirmation": "Burahin ng tuluyan ang mga mensahe sa usapang ito?",
"clear": "Clear", "clear": "Burahin",
"clearAllData": "Alisin lahat ng Data", "clearAllData": "Alisin lahat ng Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Permanente nitong buburahin ang iyong mga mensahe at contact.",
"deleteAccountFromLogin": "Sigurado ka bang gusto mong i-clear ang iyong device?",
"deleteContactConfirmation": "Sigurado k ba sa pagtanggal ng usaping ito?", "deleteContactConfirmation": "Sigurado k ba sa pagtanggal ng usaping ito?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "quoteThumbnailAlt": "Thumbnail ng larawan mula sa na-quote na mensahe",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Naka-attach ang larawan sa mensahe",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot ng video sa mensahe",
"lightboxImageAlt": "Naipadala na ang imahe sa paguusap", "lightboxImageAlt": "Naipadala na ang imahe sa paguusap",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon na nagpapakita na ang larawang ito ay may caption",
"addACaption": "Maglagay ng kapsyon...", "addACaption": "Maglagay ng kapsyon...",
"copySessionID": "Kopyahin ang Session ID", "copySessionID": "Kopyahin ang Session ID",
"copyOpenGroupURL": "Kopyahin ang URL ng Grupo", "copyOpenGroupURL": "Kopyahin ang URL ng Grupo",
"save": "I-save", "save": "I-save",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "I-save ang log sa desktop",
"saved": "Saved", "saved": "Na-save",
"tookAScreenshot": "Kumuha ng screenshot si $name$", "tookAScreenshot": "Kumuha ng screenshot si $name$",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Na-save ni $name$ ang media",
"linkPreviewsTitle": "Ipadala ang Preview ng Link", "linkPreviewsTitle": "Ipadala ang Preview ng Link",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Bumuo ng mga preview ng link para sa mga suportadong URL.",
"linkPreviewsConfirmMessage": "Hindi ka magkakaroon lubos na proteksiyon ng metadata kung magpapadala ng link previews.", "linkPreviewsConfirmMessage": "Hindi ka magkakaroon lubos na proteksiyon ng metadata kung magpapadala ng link previews.",
"mediaPermissionsTitle": "Mikropono", "mediaPermissionsTitle": "Mikropono",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Payagan ang access sa microphone.",
"spellCheckTitle": "Suri sa baybayin", "spellCheckTitle": "Suri sa baybayin",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "I-enable ang pagsuri sa spell kapag nagta-type ng mga mensahe.",
"spellCheckDirty": "You must restart Session to apply your new settings", "spellCheckDirty": "Dapat mong i-restart ang Session para ilapat ang iyong bagong settings",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Magpadala ng mga resibo ng pagbasa sa one-to-one na mga chat.",
"readReceiptSettingTitle": "Read Receipts", "readReceiptSettingTitle": "Mga Resibo ng Pagbasa",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Tingnan at ibahagi ang mga indikasyon sa pagta-type sa one-to-one na chat.",
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Mga Indikasyon sa Pag-type",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Mga tema",
"primaryColor": "Primary Color", "primaryColor": "Pangunahing Kulay",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Pangunahing kulay na berde",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Pangunahing kulay na asul",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Pangunahing kulay na dilaw",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Pangunahing kulay na rosas",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Pangunahing kulay na lila",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Pangunahing kulay na kahel",
"primaryColorRed": "Primary color red", "primaryColorRed": "Pangunahing kulay na pula",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klasikong Madilim",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klasikong Maliwanag",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Madilim na Karagatan",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Maliwanag na Karagatan",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Burahin ang Mga Mensaheng Nagtagal ng Higit sa 6 (na) Buwan",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "I-delete ang mga mensaheng mas matagal sa 6 na buwan mula sa mga komunidad na may mahigit 2,000 mensahe.",
"enable": "Enable", "enable": "I-enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Panatlihing naka-disable",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Ang impormasyong ipinapakita sa mga notipikasyon.",
"nameAndMessage": "Pangalan at nilalaman", "nameAndMessage": "Pangalan & Content",
"noNameOrMessage": "Walang pangalan at nilalaman", "noNameOrMessage": "Walang pangalan at nilalaman",
"nameOnly": "Pangalan lang", "nameOnly": "Pangalan lang",
"newMessage": "Bagong mensahe", "newMessage": "Bagong mensahe",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Lumikha ng usapan kasama ang bagong contact",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Lumikha ng isang grupo kasama ang mga kasalukuyang contact",
"joinACommunity": "Join a community", "joinACommunity": "Sumali sa isang grupo",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Pumili ng aksyon para magsimula ng usapan",
"newMessages": "Mga bagong mensahe", "newMessages": "Mga bagong mensahe",
"notificationMostRecentFrom": "Pinakabago mula kay: $name$", "notificationMostRecentFrom": "Pinakabago mula kay: $name$",
"notificationFrom": "Mula kay:", "notificationFrom": "Mula kay:",
"notificationMostRecent": "Pinakabago:", "notificationMostRecent": "Pinakabago:",
"sendFailed": "Nabigo ang pagpapadala", "sendFailed": "Nabigo ang pagpapadala",
"mediaMessage": "Media message", "mediaMessage": "Mensaheng media",
"messageBodyMissing": "Please enter a message body.", "messageBodyMissing": "Mangyaring maglagay ng laman ng mensahe.",
"messageBody": "Message body", "messageBody": "Laman ng mensahe",
"unblockToSend": "Unblock this contact to send a message.", "unblockToSend": "I-unblock ang contact na ito para magpadala ng mensahe.",
"unblockGroupToSend": "This group is blocked. Unlock it if you would like to send a message.", "unblockGroupToSend": "Naka-block ang grupong ito. I-unblock ito kung gusto mong magmensahe.",
"youChangedTheTimer": "You set the disappearing message timer to $time$", "youChangedTheTimer": "Itinakda mo ang timer ng naglalahong mensahe sa $time$",
"timerSetOnSync": "Updated disappearing message timer to $time$", "timerSetOnSync": "Na-update ang timer ng naglalahong mensahe sa $time$",
"theyChangedTheTimer": "$name$ set the disappearing message timer to $time$", "theyChangedTheTimer": "Itinakda ni $name$ ang timer ng naglalahong mensahe sa $time$",
"timerOption_0_seconds": "Off", "timerOption_0_seconds": "Off",
"timerOption_5_seconds": "5 segundo", "timerOption_5_seconds": "5 segundo",
"timerOption_10_seconds": "10 segundo", "timerOption_10_seconds": "10 segundo",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 oras", "timerOption_12_hours": "12 oras",
"timerOption_1_day": "1 araw", "timerOption_1_day": "1 araw",
"timerOption_1_week": "1 linggo", "timerOption_1_week": "1 linggo",
"timerOption_2_weeks": "2 linggo",
"disappearingMessages": "Nawawalang mensahe", "disappearingMessages": "Nawawalang mensahe",
"changeNickname": "Palitan ang Palayaw", "changeNickname": "Palitan ang Palayaw",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12 oras", "timerOption_12_hours_abbreviated": "12 oras",
"timerOption_1_day_abbreviated": "1 araw", "timerOption_1_day_abbreviated": "1 araw",
"timerOption_1_week_abbreviated": "1 linggo", "timerOption_1_week_abbreviated": "1 linggo",
"disappearingMessagesDisabled": "Disappearing messages disabled", "timerOption_2_weeks_abbreviated": "2linggo",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "disappearingMessagesDisabled": "Na-disable ang naglalahong mensahe",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "disabledDisappearingMessages": "In-off ni $name$ ang mga naglalahong mensahe.",
"youDisabledDisappearingMessages": "In-off mo ang mga naglalahong mensahe.",
"timerSetTo": "Nawawalang mensahe ay nakaset sa oras na $time$", "timerSetTo": "Nawawalang mensahe ay nakaset sa oras na $time$",
"noteToSelf": "Paalala sa akin", "noteToSelf": "Paalala sa akin",
"hideMenuBarTitle": "Itago ang Menu Bar", "hideMenuBarTitle": "Itago ang Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "I-toggle ang pagkakakita ng menu bar ng system.",
"startConversation": "Mag umpisa ng bagong usapan", "startConversation": "Mag umpisa ng bagong usapan",
"invalidNumberError": "Maling Session ID o DNS Name", "invalidNumberError": "Pakitingnan ang Session ID o pangalan ng ONS at subukang muli",
"failedResolveOns": "Hindi tagumpay na i-resolve ang ONS name", "failedResolveOns": "Hindi tagumpay na i-resolve ang ONS name",
"autoUpdateSettingTitle": "Awtomatikong mag-uupdate", "autoUpdateSettingTitle": "Awtomatikong mag-uupdate",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Awtomatikong tingnan ang mga update sa startup.",
"autoUpdateNewVersionTitle": "Available na mga updates ng Session", "autoUpdateNewVersionTitle": "Available na mga updates ng Session",
"autoUpdateNewVersionMessage": "Available na ang bagong bersiyon ng Session.", "autoUpdateNewVersionMessage": "Available na ang bagong bersiyon ng Session.",
"autoUpdateNewVersionInstructions": "Pindutin ang Magsimula ulit sa Session para mai-apply ang updates.", "autoUpdateNewVersionInstructions": "Pindutin ang Magsimula ulit sa Session para mai-apply ang updates.",
@ -237,57 +241,57 @@
"multipleJoinedTheGroup": "Sumali si $name$ sa grupo.", "multipleJoinedTheGroup": "Sumali si $name$ sa grupo.",
"kickedFromTheGroup": "Tinanggal si $name$ sa grupo.", "kickedFromTheGroup": "Tinanggal si $name$ sa grupo.",
"multipleKickedFromTheGroup": "Tinanggal sina $name$ sa grupo.", "multipleKickedFromTheGroup": "Tinanggal sina $name$ sa grupo.",
"blockUser": "Harangin", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Na-unblock",
"blocked": "Blocked", "blocked": "Na-block",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Mga Naka-block na Contact",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Mga usapan",
"unbanUser": "Unban User", "unbanUser": "I-unban ang User",
"userUnbanned": "User unbanned successfully", "userUnbanned": "Matagumpay na na-unban ang user",
"userUnbanFailed": "Unban failed!", "userUnbanFailed": "Nabigo ang pag-unban!",
"banUser": "Ipagbawal ang taong ito", "banUser": "Ipagbawal ang taong ito",
"banUserAndDeleteAll": "Ipagbawal at tanggalin lahat", "banUserAndDeleteAll": "Ipagbawal at tanggalin lahat",
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Nabigo ang pagbawal!", "userBanFailed": "Nabigo ang pagbawal!",
"leaveGroup": "Iwanan ang grupo", "leaveGroup": "Iwanan ang grupo",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Umalis sa Grupo at Alisin para sa Lahat",
"leaveGroupConfirmation": "Sigurado ka ba na nais mong umalis sa grupo?", "leaveGroupConfirmation": "Sigurado ka ba na nais mong umalis sa grupo?",
"leaveGroupConfirmationAdmin": "As you are the admin of this group, if you leave it it will be removed for every current members. Are you sure you want to leave this group?", "leaveGroupConfirmationAdmin": "Dahil ikaw ang admin ng grupong ito, kung aalis ka dito ay maaalis na rin ito para sa bawat kasalukuyang miyembro. Sigurado ka bang gusto mong umalis sa grupong ito?",
"cannotRemoveCreatorFromGroup": "Hindi matanggal ang taong ito", "cannotRemoveCreatorFromGroup": "Hindi matanggal ang taong ito",
"cannotRemoveCreatorFromGroupDesc": "Hindi mo pwedeng tanggalin ang taong ito dahil sila ang gumawa sa grupong ito.", "cannotRemoveCreatorFromGroupDesc": "Hindi mo pwedeng tanggalin ang taong ito dahil sila ang gumawa sa grupong ito.",
"noContactsForGroup": "Wala ka pang mga kontak", "noContactsForGroup": "Wala ka pang mga kontak",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Nabigong maidagdag ang user bilang admin",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Nabigong alisin ang user sa listahan ng admin",
"copyMessage": "Kopyahin ang mensahe", "copyMessage": "Kopyahin ang mensahe",
"selectMessage": "Piliin ang mensahe", "selectMessage": "Piliin ang mensahe",
"editGroup": "Edit group", "editGroup": "I-edit ang grupo",
"editGroupName": "Edit group name", "editGroupName": "I-edit ang pangalan ng grupo",
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Ina-update si $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Ang iyong Session ID", "yourSessionID": "Ang iyong Session ID",
"setAccountPasswordTitle": "Maglagay ng password sa Account", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Nangangailangan ng password para i-unlock ang Session.",
"changeAccountPasswordTitle": "Baguhin Ang Password Ng Account", "changeAccountPasswordTitle": "Palitan ang Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Palitan ang password na kinakailangan para i-unlock ang Session.",
"removeAccountPasswordTitle": "Tanggalin ang Account Password", "removeAccountPasswordTitle": "Alisin ang Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Alisin ang password na kinakailangan para i-unlock ang Session.",
"enterPassword": "Pakisuyong ilagay ang iyong password", "enterPassword": "Pakisuyong ilagay ang iyong password",
"confirmPassword": "Kumpirmahin ang iyong password", "confirmPassword": "Kumpirmahin ang iyong password",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Pakilagay ang iyong bagong password",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Kumpirmahin ang bagong password",
"showRecoveryPhrasePasswordRequest": "Pakisuyong ilagay ang iyong password", "showRecoveryPhrasePasswordRequest": "Pakisuyong ilagay ang iyong password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Ang recovery phrase mo ay ang master key sa iyong Session ID — magagamit mo ito para i-restore ang iyong Session ID kung mawalan ka ng access sa device mo. Itago ang recovery phrase mo sa isang ligtas na lugar, at huwag itong ibigay sa sinuman.",
"invalidOpenGroupUrl": "Hindi tama ang URL", "invalidOpenGroupUrl": "Hindi tama ang URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Nakopya na",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Ilagay ang Password",
"password": "Password", "password": "Password",
"setPassword": "Maglagay ng password", "setPassword": "Maglagay ng password",
"changePassword": "Palitan ang Password", "changePassword": "Palitan ang Password",
"createPassword": "Create your password", "createPassword": "Lumikha ng password mo",
"removePassword": "Alisin ang Password", "removePassword": "Alisin ang Password",
"maxPasswordAttempts": "Hindi wasto ang Password. Nais mo bang i-reset ang database?", "maxPasswordAttempts": "Hindi wasto ang Password. Nais mo bang i-reset ang database?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Pakilagay ang iyong kasalukuyang password",
"invalidOldPassword": "Hindi na valid ang lumang password", "invalidOldPassword": "Hindi na valid ang lumang password",
"invalidPassword": "Mali ang password", "invalidPassword": "Mali ang password",
"noGivenPassword": "Pakisuyong ilagay ang iyong password", "noGivenPassword": "Pakisuyong ilagay ang iyong password",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Hindi nagtugma ang mga password", "setPasswordInvalid": "Hindi nagtugma ang mga password",
"changePasswordInvalid": "Ang lumang password na iyong nailagay ay hindi tama", "changePasswordInvalid": "Ang lumang password na iyong nailagay ay hindi tama",
"removePasswordInvalid": "Maling password", "removePasswordInvalid": "Maling password",
"setPasswordTitle": "Maglagay ng password", "setPasswordTitle": "Pagtakda ng Password",
"changePasswordTitle": "Palitan ang Password", "changePasswordTitle": "Napalitan ang Password",
"removePasswordTitle": "Alisin ang Password", "removePasswordTitle": "Inalis ang Password",
"setPasswordToastDescription": "Nabago na ang iyong password. Pakisuyong itago ito.", "setPasswordToastDescription": "Nabago na ang iyong password. Pakisuyong itago ito.",
"changePasswordToastDescription": "Nabago na ang iyong password. Pakisuyong itago ito.", "changePasswordToastDescription": "Nabago na ang iyong password. Pakisuyong itago ito.",
"removePasswordToastDescription": "Tinangal mo ang iyong password.", "removePasswordToastDescription": "Ang iyong password ay naalis na.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Nakakonekta ka na sa grupong ito",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Hindi makasali sa grupo",
"connectingToServer": "Nagkokonek...", "connectingToServer": "Nagkokonek...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Matagumpay na nakakonekta sa grupo",
"setPasswordFail": "Bigong na-reset ang password", "setPasswordFail": "Bigong na-reset ang password",
"passwordLengthError": "Dapat may haba na 6 hanggang 20 titik ang 'yong password", "passwordLengthError": "Dapat may haba na 6 hanggang 20 titik ang 'yong password",
"passwordTypeError": "Ang password ay dapat string", "passwordTypeError": "Ang password ay dapat string",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Profile", "editProfileModalTitle": "Profile",
"groupNamePlaceholder": "Pangalan ng Grupo", "groupNamePlaceholder": "Pangalan ng Grupo",
"inviteContacts": "Imbitahin ang Kontak", "inviteContacts": "Imbitahin ang Kontak",
"addModerators": "Add Admins", "addModerators": "Magdagdag ng Mga Admin",
"removeModerators": "Remove Admins", "removeModerators": "Alisin ang Mga Admin",
"addAsModerator": "Add as Admin", "addAsModerator": "Idagdag bilang Admin",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Alisin Mula sa Mga Admin",
"add": "Idagdag", "add": "Idagdag",
"addingContacts": "Dinadagdagan si $name$ sa mga contacts", "addingContacts": "Dinadagdagan si $name$ sa mga contacts",
"noContactsToAdd": "Walang kontak na idadagdag", "noContactsToAdd": "Walang kontak na idadagdag",
"noMembersInThisGroup": "Walang ibang miyembro sa grupong ito", "noMembersInThisGroup": "Walang ibang miyembro sa grupong ito",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "walang mga admin na maaalis",
"onlyAdminCanRemoveMembers": "Hindi ikaw ang creator", "onlyAdminCanRemoveMembers": "Hindi ikaw ang creator",
"onlyAdminCanRemoveMembersDesc": "Tanging creator lamang ng grupo ang magtatangal ng users", "onlyAdminCanRemoveMembersDesc": "Tanging creator lamang ng grupo ang magtatangal ng users",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Ilagay sa System Tray", "startInTrayTitle": "Ilagay sa System Tray",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Panatilihing gumagana ang Session sa background kapag isinara mo ang window.",
"yourUniqueSessionID": "Kumustahin ang iyong Session ID", "yourUniqueSessionID": "Kumustahin ang iyong Session ID",
"allUsersAreRandomly...": "Ang iyong Session ID ay kakaibang address na pwedeng gamitin ng ibang tao para makipagugnayan sa iyo dahil ito ay lihim sa pagkakakilanlan mo at pribado sa anyo.", "allUsersAreRandomly...": "Ang iyong Session ID ay kakaibang address na pwedeng gamitin ng ibang tao para makipagugnayan sa iyo dahil ito ay lihim sa pagkakakilanlan mo at pribado sa anyo.",
"getStarted": "Magsimula", "getStarted": "Magsimula",
@ -344,40 +348,43 @@
"linkDevice": "I-link ang Device", "linkDevice": "I-link ang Device",
"restoreUsingRecoveryPhrase": "Ibalik ang iyong account", "restoreUsingRecoveryPhrase": "Ibalik ang iyong account",
"or": "o", "or": "o",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Sa paggamit ng serbisyong ito, sumasang-ayon ka sa aming <a href=\"https://getsession.org/terms-of-service \">Mga Tuntunin ng Serbisyo</a> at <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Patakaran sa Privacy</a>",
"beginYourSession": "Magsimula sa Session.", "beginYourSession": "Magsimula sa Session.",
"welcomeToYourSession": "Maligayang pagdating sa iyong Session", "welcomeToYourSession": "Maligayang pagdating sa iyong Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Mag-search ng mga usapan at contact",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Mag-search ng mga contact",
"enterSessionID": "Ilagay ang Session ID", "enterSessionID": "Ilagay ang Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Ilagay ang Session ID o ONS ng iyong contact",
"message": "Mensahe", "message": "Mensahe",
"appearanceSettingsTitle": "Hitsura", "appearanceSettingsTitle": "Hitsura",
"privacySettingsTitle": "Pribado", "privacySettingsTitle": "Pribado",
"notificationsSettingsTitle": "Paalaala", "notificationsSettingsTitle": "Paalaala",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Content ng Notipikasyon",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Ilagay ang iyong recovery phrase", "recoveryPhraseEmpty": "Ilagay ang iyong recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ mga miyembro", "members": "$count$ mga miyembro",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Sumali",
"createGroup": "Create Group", "joinOpenGroup": "Sumali sa Grupo",
"create": "Create", "createGroup": "Lumikha ng Grupo",
"create": "Lumikha",
"createClosedGroupNamePrompt": "Pangalan ng Grupo", "createClosedGroupNamePrompt": "Pangalan ng Grupo",
"createClosedGroupPlaceholder": "Ilagay ang pangalan ng grupo", "createClosedGroupPlaceholder": "Ilagay ang pangalan ng grupo",
"openGroupURL": "Community URL", "openGroupURL": "URL ng Grupo",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Ilagay ang URL ng Grupo",
"next": "Susunod", "next": "Susunod",
"invalidGroupNameTooShort": "Pakisuyong ilagay ang pangalan ng grupo", "invalidGroupNameTooShort": "Pakisuyong ilagay ang pangalan ng grupo",
"invalidGroupNameTooLong": "Pakisuyong maglagay ng pinaikling pangalan ng grupo", "invalidGroupNameTooLong": "Pakisuyong maglagay ng pinaikling pangalan ng grupo",
"pickClosedGroupMember": "Pumili ng 1 miyembro ng grupo", "pickClosedGroupMember": "Pumili ng 1 miyembro ng grupo",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Ang isang grupo ay hindi maaaring magkaroon ng higit sa 100 miyembro",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "Wala kang mga naka-block na contact.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Idinagdag ang user sa listahan ng admin",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Inalis ang user sa listahan ng admin",
"orJoinOneOfThese": "O sumali sa isa sa mga ito...", "orJoinOneOfThese": "O sumali sa isa sa mga ito...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Isalin ang Session",
"closedGroupInviteFailTitle": "Ang imbitasyon sa grupo ay hindi nagtagumpay", "closedGroupInviteFailTitle": "Ang imbitasyon sa grupo ay hindi nagtagumpay",
"closedGroupInviteFailTitlePlural": "Ang mga imitasyon sa grupo ay hindi nagtagumpay", "closedGroupInviteFailTitlePlural": "Ang mga imitasyon sa grupo ay hindi nagtagumpay",
"closedGroupInviteFailMessage": "Bigo ang pag-imbita sa isang miyembro ng grupo", "closedGroupInviteFailMessage": "Bigo ang pag-imbita sa isang miyembro ng grupo",
@ -385,12 +392,12 @@
"closedGroupInviteOkText": "Subukan ulit magimbita", "closedGroupInviteOkText": "Subukan ulit magimbita",
"closedGroupInviteSuccessTitlePlural": "Ang imbitasyon sa grupo ay nakumpleto", "closedGroupInviteSuccessTitlePlural": "Ang imbitasyon sa grupo ay nakumpleto",
"closedGroupInviteSuccessTitle": "Ang imbitasyon sa grupo ay tagumpay", "closedGroupInviteSuccessTitle": "Ang imbitasyon sa grupo ay tagumpay",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Matagumpay na naimbitahan ang mga miyembro ng grupo",
"notificationForConvo": "Mga paalaala", "notificationForConvo": "Mga paalaala",
"notificationForConvo_all": "Lahat", "notificationForConvo_all": "Lahat",
"notificationForConvo_disabled": "Disabled", "notificationForConvo_disabled": "Na-disable",
"notificationForConvo_mentions_only": "Mentions lang", "notificationForConvo_mentions_only": "Mentions lang",
"onionPathIndicatorTitle": "Path", "onionPathIndicatorTitle": "Daan",
"onionPathIndicatorDescription": "Tinatago ng Session ang iyong IP sa pamamagitan ng pagtalbog ng mga mensahe mo papasok ng maraming Service Nodes gamit ang decentralized network nito. Eto ang mga bansa kung saan pinatalbog ang koneksyon mo:", "onionPathIndicatorDescription": "Tinatago ng Session ang iyong IP sa pamamagitan ng pagtalbog ng mga mensahe mo papasok ng maraming Service Nodes gamit ang decentralized network nito. Eto ang mga bansa kung saan pinatalbog ang koneksyon mo:",
"unknownCountry": "Hindi kilalang bansa", "unknownCountry": "Hindi kilalang bansa",
"device": "Device", "device": "Device",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Buksan ang link sa iyong browser?", "linkVisitWarningTitle": "Buksan ang link sa iyong browser?",
"linkVisitWarningMessage": "Sigurado ka ba na gusto mong buksan ang $url$ sa iyong browser?", "linkVisitWarningMessage": "Sigurado ka ba na gusto mong buksan ang $url$ sa iyong browser?",
"open": "Buksan", "open": "Buksan",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "I-autoplay ang Mga Mensaheng Audio",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "I-autoplay ang magkakasunod na mensaheng audio.",
"clickToTrustContact": "I-click para i-download ang media", "clickToTrustContact": "I-click para i-download ang media",
"trustThisContactDialogTitle": "Pagkatiwaalan si $name$?", "trustThisContactDialogTitle": "Pagkatiwaalan si $name$?",
"trustThisContactDialogDescription": "Sigurado ka bang nais mong i-download ang media mula kay $name$?", "trustThisContactDialogDescription": "Sigurado ka bang nais mong i-download ang media mula kay $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "I-pin ang Usapan",
"unpinConversation": "Unpin Conversation", "unpinConversation": "I-unpin ang Usapan",
"markUnread": "Mark Unread",
"showUserDetails": "Ipakita ang Detalye ng User", "showUserDetails": "Ipakita ang Detalye ng User",
"sendRecoveryPhraseTitle": "Ipapadala ang Recovery Phrase", "sendRecoveryPhraseTitle": "Ipapadala ang Recovery Phrase",
"sendRecoveryPhraseMessage": "Sinusubukan mong ipadala ang iyong recovery phrase na pwedeng gamitin para mapasok ang iyong account. Gusto mo bang ipadala ito?", "sendRecoveryPhraseMessage": "Sinusubukan mong ipadala ang iyong recovery phrase na pwedeng gamitin para mapasok ang iyong account. Gusto mo bang ipadala ito?",
@ -413,33 +421,36 @@
"dialogClearAllDataDeletionFailedDesc": "Hindi nabura ang data dahil sa hindi matukoy na kadahilanan. Nais mo bang burahin ang data sa device lang na ito?", "dialogClearAllDataDeletionFailedDesc": "Hindi nabura ang data dahil sa hindi matukoy na kadahilanan. Nais mo bang burahin ang data sa device lang na ito?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Nais mo bang tanggalin ang data mula sa device na ito?", "dialogClearAllDataDeletionFailedTitleQuestion": "Nais mo bang tanggalin ang data mula sa device na ito?",
"dialogClearAllDataDeletionFailedMultiple": "Hindi nabura ang Data mula sa mga Service Nodes:$snodes$", "dialogClearAllDataDeletionFailedMultiple": "Hindi nabura ang Data mula sa mga Service Nodes:$snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Gusto mo bang burahin sa device na ito lamang, o alisin din ang iyong data mula sa network?",
"deviceOnly": "Clear Device Only", "clearDevice": "Burahin sa Device",
"entireAccount": "Clear Device and Network", "tryAgain": "Subukang Muli",
"areYouSureClearDevice": "Sigurado ka bang gusto mong i-clear ang iyong device?",
"deviceOnly": "I-clear ang Device Lamang",
"entireAccount": "I-clear ang Device at Network",
"areYouSureDeleteDeviceOnly": "Sigurado ka bang tatangalin mo na ang iyong device data?", "areYouSureDeleteDeviceOnly": "Sigurado ka bang tatangalin mo na ang iyong device data?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Sigurado ka bang gusto mong alisin ang iyong data mula sa network? Kung magpapatuloy ka, hindi mo na maibabalik ang iyong mga mensahe o contact.",
"iAmSure": "Sigurado ako", "iAmSure": "Sigurado ako",
"recoveryPhraseSecureTitle": "Halos tapos ka na!", "recoveryPhraseSecureTitle": "Halos tapos ka na!",
"recoveryPhraseRevealMessage": "Tiyaking ligtas ang iyong account sa pamamagitan ng pagtago ng iyong recovery phrase sa isang ligtas na lugar.", "recoveryPhraseRevealMessage": "Tiyaking ligtas ang iyong account sa pamamagitan ng pagtago ng iyong recovery phrase sa isang ligtas na lugar.",
"recoveryPhraseRevealButtonText": "Ipakita ang recovery phrase", "recoveryPhraseRevealButtonText": "Ipakita ang recovery phrase",
"notificationSubtitle": "Paalala - $setting$", "notificationSubtitle": "Paalala - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Nais namin ang Iyong Puna",
"faq": "FAQ", "faq": "FAQ",
"support": "Support", "support": "Suporta",
"clearAll": "Clear All", "clearAll": "Burahin Lahat",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Burahin ang Data",
"messageRequests": "Kahilingang mensahe", "messageRequests": "Kahilingang mensahe",
"requestsSubtitle": "Nakabinbin na mga Kahilingan", "requestsSubtitle": "Nakabinbin na mga Kahilingan",
"requestsPlaceholder": "Walang mga request", "requestsPlaceholder": "Walang mga request",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "hideRequestBannerDescription": "Itago ang banner na Kahilingan sa Pagmemensahe hangga't makatanggap ka muli ng bago.",
"incomingCallFrom": "Papasok na tawag mula kay '$name$'", "incomingCallFrom": "Papasok na tawag mula kay '$name$'",
"ringing": "Nagriring...", "ringing": "Nagriring...",
"establishingConnection": "Kumukonekta...", "establishingConnection": "Kumukonekta...",
"accept": "Tangapin", "accept": "Tangapin",
"decline": "Tanggihan", "decline": "Tanggihan",
"endCall": "Tapusin ang tawag", "endCall": "Tapusin ang tawag",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Mga Pahintulot",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Tulong",
"cameraPermissionNeededTitle": "Pahintulot sa voice/video call ay kailangan", "cameraPermissionNeededTitle": "Pahintulot sa voice/video call ay kailangan",
"cameraPermissionNeeded": "Pwedeng mong paganahin ang pahintulot ukol sa 'Voice and video calls' sa Privacy Settings.", "cameraPermissionNeeded": "Pwedeng mong paganahin ang pahintulot ukol sa 'Voice and video calls' sa Privacy Settings.",
"unableToCall": "Kanselahin ang kasalukuyang tawag", "unableToCall": "Kanselahin ang kasalukuyang tawag",
@ -449,44 +460,49 @@
"noCameraFound": "Hindi mahanap ang kamera", "noCameraFound": "Hindi mahanap ang kamera",
"noAudioInputFound": "Walang audio input ang natagpuan", "noAudioInputFound": "Walang audio input ang natagpuan",
"noAudioOutputFound": "Walang audio output ang natagpuan", "noAudioOutputFound": "Walang audio output ang natagpuan",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Mga Voice at Video Call (Beta)",
"callMissedCausePermission": "Nakaligtaang tawag mula kay $name$ dahil kailangang i-enable ang 'Voice at video calls' permission sa Privacy Settings.", "callMissedCausePermission": "Nakaligtaang tawag mula kay $name$ dahil kailangang i-enable ang 'Voice at video calls' permission sa Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Hindi nasagot ang tawag mula kay '$name$' dahil hindi mo pa na-aprubahan ang usapang ito. Magpadala muna ng mensahe sa kanila.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Ini-enable ang mga voice at video call papunta at mula sa iba pang mga user.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Ang IP address mo ay nakikita ng iyong katawag at isang server ng Oxen Foundation habang gumagamit ng mga beta na pagtawag. Sigurado ka bang gusto mong i-enable ang Mga Voice at Video Call?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Mga Voice at Video Call (Beta)",
"startedACall": "Tinawag mo si $name$", "startedACall": "Tinawag mo si $name$",
"answeredACall": "Tawag kasama si $name$", "answeredACall": "Tawag kasama si $name$",
"trimDatabase": "Bawasan ang Database", "trimDatabase": "Bawasan ang Database",
"trimDatabaseDescription": "Bawasan ang laki ng mga mensahe hanggang sa pinakahuling 10,000 na mga mensahe.", "trimDatabaseDescription": "Bawasan ang laki ng mga mensahe hanggang sa pinakahuling 10,000 na mga mensahe.",
"trimDatabaseConfirmationBody": "Sigurado ka ba na gusto mong tanggalin ang $deleteAmount$ mga pinakalumang mensahe?", "trimDatabaseConfirmationBody": "Sigurado ka ba na gusto mong tanggalin ang $deleteAmount$ mga pinakalumang mensahe?",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...", "pleaseWaitOpenAndOptimizeDb": "Pakihintay habang ang iyong database ay binuksan at ino-optimize...",
"messageRequestPending": "Your message request is currently pending", "messageRequestPending": "Kasalukuyang nakabinbin ang iyong kahilingan sa pagmemensahe",
"messageRequestAccepted": "Your message request has been accepted", "messageRequestAccepted": "Ang iyong kahilingan sa pagmemensahe ay natanggap",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request", "messageRequestAcceptedOurs": "Tinanggap mo ang kahilingan sa pagmemensahe ni $name$",
"messageRequestAcceptedOursNoName": "You have accepted the message request", "messageRequestAcceptedOursNoName": "Tinanggap mo ang kahilingan sa pagmemensahe",
"declineRequestMessage": "Are you sure you want to decline this message request?", "declineRequestMessage": "Sigurado ka bang gusto mong tanggihan ang kahilingan sa pagmemensaheng ito?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "respondingToRequestWarning": "Ang pagmemensahe sa user na ito ay awtomatikong tatanggapin ang kanilang kahilingan sa pagmemensahe at ipapakita ang Session ID mo.",
"hideRequestBanner": "Hide Message Request Banner", "hideRequestBanner": "Itago ang Banner ng Kahilingan sa Pagmemensahe",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Mga Kahilingan sa Pagmemensahe",
"noMessageRequestsPending": "No pending message requests", "noMessageRequestsPending": "Walang nakabinbing kahilingan sa pagmemensahe",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved", "noMediaUntilApproved": "Hindi ka maaaring magpadala ng mga attachment hanggang sa maaprubahan ang pag-uusap",
"mustBeApproved": "This conversation must be accepted to use this feature", "mustBeApproved": "Dapat tanggapin ang usapan na ito para magamit ang feature na ito",
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "May bago kang friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "I-clear ang Lahat ng Kahilingan sa Pagmemensahe",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Sigurado ka bang gusto mong i-clear ang lahat ng kahilingan sa pagmemensahe?",
"hideBanner": "Hide", "noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"expandedReactionsText": "Show Less", "hideBanner": "Itago",
"reactionNotification": "Reacts to a message with $emoji$", "someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"otherSingular": "$number$ other", "openMessageRequestInboxDescription": "Tingnan ang iyong inbox ng Kahilingan sa Pagmemensahe",
"otherPlural": "$number$ others", "clearAllReactions": "Sigurado ka bang gusto mong i-clear ang lahat ng $emoji$ ?",
"reactionPopup": "reacted with", "expandedReactionsText": "Magpakita ng Mas Kaunti",
"reactionNotification": "Ay nag-react sa isang mensahe ng $emoji$",
"rateLimitReactMessage": "Bagalan! Nagpadala ka ng masyadong maraming emoji react. Subukan muli sa susunod",
"otherSingular": "$number$ (na) iba pa",
"otherPlural": "$number$ (na) iba pa",
"reactionPopup": "nag-react ng",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ at $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ at $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ at",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "At nag-react si $otherSingular$ ng <span>$emoji$</span> sa mensaheng ito",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "At ang $otherPlural$ ay nag-react ng <span>$emoji$</span> sa mensaheng ito"
} }

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Activer/désactiver le plein écran", "viewMenuToggleFullScreen": "Activer/désactiver le plein écran",
"viewMenuToggleDevTools": "Afficher/cacher les outils pour développeurs", "viewMenuToggleDevTools": "Afficher/cacher les outils pour développeurs",
"contextMenuNoSuggestions": "Pas de suggestions", "contextMenuNoSuggestions": "Pas de suggestions",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Invitation à un groupe",
"joinOpenGroupAfterInvitationConfirmationTitle": "Rejoindre $roomName$ ?", "joinOpenGroupAfterInvitationConfirmationTitle": "Rejoindre $roomName$ ?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Êtes-vous sûr de vouloir rejoindre le groupe $roomName$ ?",
"couldntFindServerMatching": "Impossible de trouver le groupe public", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Entrer un Session ID ou un nom ONS", "enterSessionIDOrONSName": "Entrer un Session ID ou un nom ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Commencez une nouvelle conversation en entrant l'ID de session de quelqu'un ou en partageant votre ID de session avec lui.",
"loading": "Chargement…", "loading": "Chargement…",
"done": "Terminé", "done": "Terminé",
"youLeftTheGroup": "Vous avez quitté le groupe.", "youLeftTheGroup": "Vous avez quitté le groupe.",
"youGotKickedFromGroup": "Vous avez été retiré du groupe.", "youGotKickedFromGroup": "Vous avez été retiré du groupe.",
"unreadMessages": "Messages non lus", "unreadMessages": "Messages non lus",
"debugLogExplanation": "Ce journal sera sauvegardé sur votre bureau.", "debugLogExplanation": "Ce journal sera sauvegardé sur votre bureau.",
"reportIssue": "Report a Bug", "reportIssue": "Signaler un bug",
"markAllAsRead": "Tout marquer comme lu", "markAllAsRead": "Tout marquer comme lu",
"incomingError": "Erreur de traitement du message entrant", "incomingError": "Erreur de traitement du message entrant",
"media": "Médias", "media": "Médias",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Une erreur est survenue lors du chargement de la pièce jointe.", "unableToLoadAttachment": "Une erreur est survenue lors du chargement de la pièce jointe.",
"offline": "Hors ligne", "offline": "Hors ligne",
"debugLog": "Journal de débogage", "debugLog": "Journal de débogage",
"showDebugLog": "Export Logs", "showDebugLog": "Exporter les journaux",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exportez vos logs, puis téléversez le fichier par le service d'aide de Session.",
"goToReleaseNotes": "Accéder aux notes de mise à jour", "goToReleaseNotes": "Accéder aux notes de mise à jour",
"goToSupportPage": "Accéder à la page dassistance", "goToSupportPage": "Accéder à la page dassistance",
"about": "À propos de Session", "about": "À propos de Session",
@ -72,7 +72,7 @@
"noSearchResults": "Aucun résultat na été trouvé pour « %s »", "noSearchResults": "Aucun résultat na été trouvé pour « %s »",
"conversationsHeader": "Contacts et Groupes", "conversationsHeader": "Contacts et Groupes",
"contactsHeader": "Contacts", "contactsHeader": "Contacts",
"messagesHeader": "Messages", "messagesHeader": "Conversations",
"settingsHeader": "Paramètres", "settingsHeader": "Paramètres",
"typingAlt": "Animation de saisie pour cette conversation", "typingAlt": "Animation de saisie pour cette conversation",
"contactAvatarAlt": "Avatar pour le contact $name$", "contactAvatarAlt": "Avatar pour le contact $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Supprimer $count$ messages ?", "deleteMessagesQuestion": "Supprimer $count$ messages ?",
"deleteMessageQuestion": "Êtes-vous sûr de vouloir supprimer ce message?", "deleteMessageQuestion": "Êtes-vous sûr de vouloir supprimer ce message?",
"deleteMessages": "Supprimer les messages", "deleteMessages": "Supprimer les messages",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ supprimé(s)", "deleted": "$count$ supprimé(s)",
"messageDeletedPlaceholder": "Ce message a été supprimé", "messageDeletedPlaceholder": "Ce message a été supprimé",
"from": "De :", "from": "De :",
@ -107,17 +108,18 @@
"sent": "Envoyé", "sent": "Envoyé",
"received": "Reçu", "received": "Reçu",
"sendMessage": "Envoyer un message", "sendMessage": "Envoyer un message",
"groupMembers": "Membres du groupe", "groupMembers": "Membres",
"moreInformation": "Plus dinformations", "moreInformation": "Plus dinformations",
"resend": "Renvoyer", "resend": "Renvoyer",
"deleteConversationConfirmation": "Supprimer définitivement cette conversation?", "deleteConversationConfirmation": "Supprimer définitivement cette conversation?",
"clear": "Clear", "clear": "Effacer",
"clearAllData": "Effacer toutes les données", "clearAllData": "Effacer toutes les données",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Cela supprimera définitivement vos messages et contacts.",
"deleteAccountFromLogin": "Voulez-vous vraiment effacer votre appareil ?",
"deleteContactConfirmation": "Voulez-vous vraiment supprimer cette conversation ?", "deleteContactConfirmation": "Voulez-vous vraiment supprimer cette conversation ?",
"quoteThumbnailAlt": "Imagette du message cité", "quoteThumbnailAlt": "Imagette du message cité",
"imageAttachmentAlt": "Image jointe au message", "imageAttachmentAlt": "Image jointe au message",
"videoAttachmentAlt": "Capture d'écran de la vidéo jointe au message", "videoAttachmentAlt": "Capture d'écran de la vidéo dans le message",
"lightboxImageAlt": "Image envoyée dans la conversation", "lightboxImageAlt": "Image envoyée dans la conversation",
"imageCaptionIconAlt": "Icône qui indique que cette image a une légende", "imageCaptionIconAlt": "Icône qui indique que cette image a une légende",
"addACaption": "Ajouter un légende…", "addACaption": "Ajouter un légende…",
@ -129,44 +131,44 @@
"tookAScreenshot": "$name$ a pris une capture décran", "tookAScreenshot": "$name$ a pris une capture décran",
"savedTheFile": "$name$ a enregistré le média", "savedTheFile": "$name$ a enregistré le média",
"linkPreviewsTitle": "Envoyer des aperçus de liens", "linkPreviewsTitle": "Envoyer des aperçus de liens",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Générer des aperçus de liens pour les URL supportées.",
"linkPreviewsConfirmMessage": "Vous n'aurez pas une protection complète des métadonnées en envoyant des aperçu de liens.", "linkPreviewsConfirmMessage": "Vous n'aurez pas une protection complète des métadonnées en envoyant des aperçu de liens.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Autoriser l'accès au micro.",
"spellCheckTitle": "Vérification orthographique", "spellCheckTitle": "Vérification orthographique",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Activer le correcteur orthographique lors de la saisie des messages.",
"spellCheckDirty": "Vous devez redémarrer Session pour appliquer ces changements.", "spellCheckDirty": "Vous devez redémarrer Session pour appliquer ces changements.",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Envoyer les accusés de lecture dans les conversations un à un.",
"readReceiptSettingTitle": "Accusés de lecture", "readReceiptSettingTitle": "Accusés de lecture",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Voir et envoyer les indicateurs de saisie dans les conversations un à un.",
"typingIndicatorsSettingTitle": "Indicateurs de saisie", "typingIndicatorsSettingTitle": "Indicateurs de saisie",
"zoomFactorSettingTitle": "Facteur de zoom", "zoomFactorSettingTitle": "Facteur de zoom",
"themesSettingTitle": "Themes", "themesSettingTitle": "Styles",
"primaryColor": "Primary Color", "primaryColor": "Couleur principale",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Couleur de base verte",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Couleur de base bleue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Couleur de base jaune",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Couleur de base rose",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Couleur de base mauve",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Couleur de base orange",
"primaryColorRed": "Primary color red", "primaryColorRed": "Couleur de base rouge",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Sombre classique",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Clair classique",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Supprimez les messages de plus de 6 mois des Communautés qui ont plus de 2 000 messages.",
"enable": "Activer", "enable": "Activer",
"keepDisabled": "Garder désactivé", "keepDisabled": "Garder désactivé",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Informations affichées dans les notifications.",
"nameAndMessage": "À la fois le nom de lexpéditeur et son message", "nameAndMessage": "Nom et contenu",
"noNameOrMessage": "Ni le nom ni le message", "noNameOrMessage": "Ni le nom ni le message",
"nameOnly": "Seulement le nom de lexpéditeur", "nameOnly": "Seulement le nom de lexpéditeur",
"newMessage": "Nouveau message", "newMessage": "Nouveau message",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Créer une conversation avec un nouveau contact",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Créer un groupe avec des contacts existants",
"joinACommunity": "Join a community", "joinACommunity": "Rejoindre un groupe",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Choisissez une action pour démarrer une conversation",
"newMessages": "Nouveaux messages", "newMessages": "Nouveaux messages",
"notificationMostRecentFrom": "Le plus récent de : $name$", "notificationMostRecentFrom": "Le plus récent de : $name$",
"notificationFrom": "De :", "notificationFrom": "De :",
@ -174,7 +176,7 @@
"sendFailed": "Échec denvoi", "sendFailed": "Échec denvoi",
"mediaMessage": "Message multimédia", "mediaMessage": "Message multimédia",
"messageBodyMissing": "Entrez un corps de message.", "messageBodyMissing": "Entrez un corps de message.",
"messageBody": "Message body", "messageBody": "Corps du message",
"unblockToSend": "Débloquez ce contact pour envoyer un message.", "unblockToSend": "Débloquez ce contact pour envoyer un message.",
"unblockGroupToSend": "Débloquer ce groupe pour envoyer un message.", "unblockGroupToSend": "Débloquer ce groupe pour envoyer un message.",
"youChangedTheTimer": "Vous avez défini lexpiration des messages éphémères à $time$.", "youChangedTheTimer": "Vous avez défini lexpiration des messages éphémères à $time$.",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 heures", "timerOption_12_hours": "12 heures",
"timerOption_1_day": "1 jour", "timerOption_1_day": "1 jour",
"timerOption_1_week": "1 semaine", "timerOption_1_week": "1 semaine",
"timerOption_2_weeks": "2 semaines",
"disappearingMessages": "Messages éphémères", "disappearingMessages": "Messages éphémères",
"changeNickname": "Modifier le surnom", "changeNickname": "Modifier le surnom",
"clearNickname": "Supprimer le surnom", "clearNickname": "Supprimer le surnom",
@ -208,19 +211,20 @@
"timerOption_6_hours_abbreviated": "6 h", "timerOption_6_hours_abbreviated": "6 h",
"timerOption_12_hours_abbreviated": "12 h", "timerOption_12_hours_abbreviated": "12 h",
"timerOption_1_day_abbreviated": "1 j", "timerOption_1_day_abbreviated": "1 j",
"timerOption_1_week_abbreviated": "1 sem.", "timerOption_1_week_abbreviated": "1 sem",
"timerOption_2_weeks_abbreviated": "2 sem",
"disappearingMessagesDisabled": "Les messages éphémères sont désactivés", "disappearingMessagesDisabled": "Les messages éphémères sont désactivés",
"disabledDisappearingMessages": "$name$ a désactivé les messages éphémères.", "disabledDisappearingMessages": "$name$ a désactivé les messages éphémères.",
"youDisabledDisappearingMessages": "Vous avez désactivé les messages éphémères.", "youDisabledDisappearingMessages": "Vous avez désactivé les messages éphémères.",
"timerSetTo": "Lexpiration des messages éphémères a été définie à $time$", "timerSetTo": "Lexpiration des messages éphémères a été définie à $time$",
"noteToSelf": "Note à mon intention", "noteToSelf": "Note à mon intention",
"hideMenuBarTitle": "Cacher la barre de menu", "hideMenuBarTitle": "Cacher la barre de menu",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Activer/désactiver la visibilité de la barre de menu système.",
"startConversation": "Lancer une nouvelle conversation…", "startConversation": "Lancer une nouvelle conversation…",
"invalidNumberError": "Le numéro est invalide", "invalidNumberError": "Veuillez vérifier l'ID de Session ou le nom ONS et réessayer",
"failedResolveOns": "Échec de résolution du nom ONS", "failedResolveOns": "Échec de résolution du nom ONS",
"autoUpdateSettingTitle": "Mise à jour automatique", "autoUpdateSettingTitle": "Mise à jour automatique",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Vérifier automatiquement les mises à jour au démarrage.",
"autoUpdateNewVersionTitle": "Une mise à jour de Session est proposée", "autoUpdateNewVersionTitle": "Une mise à jour de Session est proposée",
"autoUpdateNewVersionMessage": "Une nouvelle version de Session est proposée.", "autoUpdateNewVersionMessage": "Une nouvelle version de Session est proposée.",
"autoUpdateNewVersionInstructions": "Appuyez sur « Redémarrer Session » pour appliquer les mises à jour.", "autoUpdateNewVersionInstructions": "Appuyez sur « Redémarrer Session » pour appliquer les mises à jour.",
@ -237,11 +241,11 @@
"multipleJoinedTheGroup": "$name$ se sont joints au groupe.", "multipleJoinedTheGroup": "$name$ se sont joints au groupe.",
"kickedFromTheGroup": "$name$ a été retiré du groupe.", "kickedFromTheGroup": "$name$ a été retiré du groupe.",
"multipleKickedFromTheGroup": "$name$ ont été retirés du groupe.", "multipleKickedFromTheGroup": "$name$ ont été retirés du groupe.",
"blockUser": "Bloquer", "block": "Block",
"unblockUser": "Débloquer", "unblock": "Unblock",
"unblocked": "Débloqué", "unblocked": "Débloqué",
"blocked": "Bloqué", "blocked": "Bloqué",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Contacts bloqués",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Conversations",
"unbanUser": "Débannir l'utilisateur", "unbanUser": "Débannir l'utilisateur",
"userUnbanned": "Utilisateur débanni avec succès", "userUnbanned": "Utilisateur débanni avec succès",
@ -251,14 +255,14 @@
"userBanned": "Utilisateur banni", "userBanned": "Utilisateur banni",
"userBanFailed": "Le bannissement a échoué", "userBanFailed": "Le bannissement a échoué",
"leaveGroup": "Quitter le groupe", "leaveGroup": "Quitter le groupe",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Quitter le groupe et le supprimer pour tout le monde",
"leaveGroupConfirmation": "Voulez-vous vraiment quitter ce groupe ?", "leaveGroupConfirmation": "Voulez-vous vraiment quitter ce groupe ?",
"leaveGroupConfirmationAdmin": "Comme vous êtes l'administrateur de ce groupe, si vous le quittez, il sera supprimé pour tous les membres actuels. Êtes-vous sûr de vouloir quitter ce groupe ?", "leaveGroupConfirmationAdmin": "Comme vous êtes l'administrateur de ce groupe, si vous le quittez, il sera supprimé pour tous les membres actuels. Êtes-vous sûr de vouloir quitter ce groupe ?",
"cannotRemoveCreatorFromGroup": "Impossible de supprimer cet utilisateur", "cannotRemoveCreatorFromGroup": "Impossible de supprimer cet utilisateur",
"cannotRemoveCreatorFromGroupDesc": "Vous ne pouvez pas supprimer cet utilisateur car il est le créateur du groupe.", "cannotRemoveCreatorFromGroupDesc": "Vous ne pouvez pas supprimer cet utilisateur car il est le créateur du groupe.",
"noContactsForGroup": "Vous n'avez pas encore de contacts", "noContactsForGroup": "Vous n'avez pas encore de contacts",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Impossible d'ajouter l'utilisateur en tant qu'admin",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Échec de la suppression de l'utilisateur de la liste des administrateurs",
"copyMessage": "Copier le texte du message", "copyMessage": "Copier le texte du message",
"selectMessage": "Sélectionner le message", "selectMessage": "Sélectionner le message",
"editGroup": "Modifier le groupe", "editGroup": "Modifier le groupe",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "Mise à jour de $name$…", "updateGroupDialogTitle": "Mise à jour de $name$…",
"showRecoveryPhrase": "Phrase de récupération", "showRecoveryPhrase": "Phrase de récupération",
"yourSessionID": "Votre Session ID", "yourSessionID": "Votre Session ID",
"setAccountPasswordTitle": "Définir un mot de passe", "setAccountPasswordTitle": "Mot de passe",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Mot de passe requis pour déverrouiller Session.",
"changeAccountPasswordTitle": "Changement de mot de passe", "changeAccountPasswordTitle": "Modifier le mot de passe",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Modifier le mot de passe requis pour déverrouiller Session.",
"removeAccountPasswordTitle": "Supprimer le mot de passe", "removeAccountPasswordTitle": "Supprimer le mot de passe",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Retirer le mot de passe requis pour déverrouiller Session.",
"enterPassword": "Veuillez saisir votre mot de passe", "enterPassword": "Veuillez saisir votre mot de passe",
"confirmPassword": "Confirmez le mot de passe", "confirmPassword": "Confirmez le mot de passe",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Veuillez entrer votre nouveau mot de passe",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Confirmer le nouveau mot de passe",
"showRecoveryPhrasePasswordRequest": "Veuillez saisir votre mot de passe", "showRecoveryPhrasePasswordRequest": "Veuillez saisir votre mot de passe",
"recoveryPhraseSavePromptMain": "Votre phrase de récupération est la clé principale de votre Session ID — vous pouvez l'utiliser pour restaurer votre Session ID si vous perdez l'accès à votre appareil. Conservez la dans un endroit sûr et ne la donnez à personne.", "recoveryPhraseSavePromptMain": "Votre phrase de récupération est la clé principale de votre Session ID — vous pouvez l'utiliser pour restaurer votre Session ID si vous perdez l'accès à votre appareil. Conservez la dans un endroit sûr et ne la donnez à personne.",
"invalidOpenGroupUrl": "URL non valide", "invalidOpenGroupUrl": "URL non valide",
"copiedToClipboard": "Copié dans le presse-papier", "copiedToClipboard": "Copie effectuée",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Entrez le mot de passe",
"password": "Mot de passe", "password": "Mot de passe",
"setPassword": "Définir un mot de passe", "setPassword": "Définir un mot de passe",
"changePassword": "Changer le mot de passe", "changePassword": "Changer le mot de passe",
"createPassword": "Create your password", "createPassword": "Créez votre mot de passe",
"removePassword": "Supprimer le mot de passe", "removePassword": "Supprimer le mot de passe",
"maxPasswordAttempts": "Mot de passe invalide. Voulez-vous effacer la base de données?", "maxPasswordAttempts": "Mot de passe invalide. Voulez-vous effacer la base de données?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Veuillez entrer votre mot de passe actuel",
"invalidOldPassword": "Ancien mot de passe invalide", "invalidOldPassword": "Ancien mot de passe invalide",
"invalidPassword": "Mot de passe invalide", "invalidPassword": "Mot de passe invalide",
"noGivenPassword": "Merci de saisir votre mot de passe", "noGivenPassword": "Merci de saisir votre mot de passe",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Les mots de passe ne correspondent pas.", "setPasswordInvalid": "Les mots de passe ne correspondent pas.",
"changePasswordInvalid": "L'ancien mot de passe entré est incorrect", "changePasswordInvalid": "L'ancien mot de passe entré est incorrect",
"removePasswordInvalid": "Mot de passe incorrect", "removePasswordInvalid": "Mot de passe incorrect",
"setPasswordTitle": "Définir un mot de passe", "setPasswordTitle": "Mot de passe défini",
"changePasswordTitle": "Mot de passe changé", "changePasswordTitle": "Mot de passe modifié",
"removePasswordTitle": "Mot de passe supprimé", "removePasswordTitle": "Mot de passe supprimé",
"setPasswordToastDescription": "Votre mot de passe a été défini. Veuillez le conserver en sécurité.", "setPasswordToastDescription": "Votre mot de passe a été défini. Veuillez le conserver en sécurité.",
"changePasswordToastDescription": "Votre mot de passe a été changé. Veuillez le conserver en sécurité.", "changePasswordToastDescription": "Votre mot de passe a été changé. Veuillez le conserver en sécurité.",
"removePasswordToastDescription": "Vous avez supprimé votre mot de passe.", "removePasswordToastDescription": "Votre mot de passe a été supprimé.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Vous êtes déjà connecté à cette communauté",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Impossible de rejoindre la communauté",
"connectingToServer": "Connexion…", "connectingToServer": "Connexion…",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Connexion réussie à la communauté",
"setPasswordFail": "Échec de la définition du mot de passe", "setPasswordFail": "Échec de la définition du mot de passe",
"passwordLengthError": "Le mot de passe doit avoir une longueur comprise entre 6 et 64 caractères", "passwordLengthError": "Le mot de passe doit avoir une longueur comprise entre 6 et 64 caractères",
"passwordTypeError": "Le mot de passe doit être une chaîne de caractères", "passwordTypeError": "Le mot de passe doit être une chaîne de caractères",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Profil", "editProfileModalTitle": "Profil",
"groupNamePlaceholder": "Nom du groupe", "groupNamePlaceholder": "Nom du groupe",
"inviteContacts": "Inviter des amis", "inviteContacts": "Inviter des amis",
"addModerators": "Add Admins", "addModerators": "Ajouter des administrateurs",
"removeModerators": "Remove Admins", "removeModerators": "Retirer des administrateurs",
"addAsModerator": "Add as Admin", "addAsModerator": "Ajouter en tant qu'administrateur",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Retirer des administrateurs",
"add": "Ajouter", "add": "Ajouter",
"addingContacts": "Ajouter des contacts à $name$", "addingContacts": "Ajouter des contacts à $name$",
"noContactsToAdd": "Aucun contact à ajouter", "noContactsToAdd": "Aucun contact à ajouter",
"noMembersInThisGroup": "Aucun autre membre dans ce groupe", "noMembersInThisGroup": "Aucun autre membre dans ce groupe",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "aucun administrateur à retirer",
"onlyAdminCanRemoveMembers": "Vous n'êtes pas le créateur", "onlyAdminCanRemoveMembers": "Vous n'êtes pas le créateur",
"onlyAdminCanRemoveMembersDesc": "Seul le créateur du groupe peut supprimer des utilisateurs", "onlyAdminCanRemoveMembersDesc": "Seul le créateur du groupe peut supprimer des utilisateurs",
"createAccount": "Créer un compte", "createAccount": "Créer un compte",
"startInTrayTitle": "Garder dans la barre d'état du système", "startInTrayTitle": "Garder dans la barre d'état du système",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Laisser Session continuer à fonctionner en arrière-plan lorsque vous fermez la fenêtre.",
"yourUniqueSessionID": "Dites bonjour à votre Session ID", "yourUniqueSessionID": "Dites bonjour à votre Session ID",
"allUsersAreRandomly...": "Votre Session ID est l'identifiant unique que les gens utilisent pour vous contacter dans Session. Sans lien avec votre identité réelle, votre Session ID est complètement anonyme et privé.", "allUsersAreRandomly...": "Votre Session ID est l'identifiant unique que les gens utilisent pour vous contacter dans Session. Sans lien avec votre identité réelle, votre Session ID est complètement anonyme et privé.",
"getStarted": "Commencer", "getStarted": "Commencer",
@ -344,40 +348,43 @@
"linkDevice": "Relier un appareil", "linkDevice": "Relier un appareil",
"restoreUsingRecoveryPhrase": "Restaurez votre compte", "restoreUsingRecoveryPhrase": "Restaurez votre compte",
"or": "ou", "or": "ou",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "En utilisant ce service, vous acceptez nos <a href=\"https://getsession.org/terms-of-service \">Conditions d'utilisation</a> et notre <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Politique de confidentialité</a>",
"beginYourSession": "Commencez votre Session.", "beginYourSession": "Commencez votre Session.",
"welcomeToYourSession": "Bienvenue sur Session", "welcomeToYourSession": "Bienvenue sur Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Rechercher dans conversations ou les contacts",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Rechercher des contacts",
"enterSessionID": "Saisir un Session ID", "enterSessionID": "Saisir un Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Entrez l'ID de Session ou l'ONS de votre contact",
"message": "Message", "message": "Message",
"appearanceSettingsTitle": "Apparence", "appearanceSettingsTitle": "Apparence",
"privacySettingsTitle": "Confidentialité", "privacySettingsTitle": "Confidentialité",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Contenu de la notification",
"notificationPreview": "Aperçu",
"recoveryPhraseEmpty": "Saisissez votre phrase de récupération", "recoveryPhraseEmpty": "Saisissez votre phrase de récupération",
"displayNameEmpty": "Veuillez choisir un nom d'utilisateur", "displayNameEmpty": "Veuillez choisir un nom d'utilisateur",
"displayNameTooLong": "Display name is too long",
"members": "$count$ membres", "members": "$count$ membres",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Rejoindre",
"createGroup": "Create Group", "joinOpenGroup": "Rejoindre la communauté",
"create": "Create", "createGroup": "Créer un Groupe",
"create": "Créer",
"createClosedGroupNamePrompt": "Nom du groupe", "createClosedGroupNamePrompt": "Nom du groupe",
"createClosedGroupPlaceholder": "Saisissez un nom de groupe", "createClosedGroupPlaceholder": "Saisissez un nom de groupe",
"openGroupURL": "Community URL", "openGroupURL": "URL de la Communauté",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Entrez l'URL de la communauté",
"next": "Suivant", "next": "Suivant",
"invalidGroupNameTooShort": "Veuillez saisir un nom de groupe", "invalidGroupNameTooShort": "Veuillez saisir un nom de groupe",
"invalidGroupNameTooLong": "Veuillez saisir un nom de groupe plus court", "invalidGroupNameTooLong": "Veuillez saisir un nom de groupe plus court",
"pickClosedGroupMember": "Veuillez sélectionner au moins 2 membres", "pickClosedGroupMember": "Veuillez sélectionner au moins 2 membres",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Un groupe privé ne peut avoir plus de 100 membres",
"noBlockedContacts": "Aucun contact nest bloqué", "noBlockedContacts": "Vous n'avez aucun contact bloqué.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Utilisateur ajouté à la liste des administrateurs",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Utilisateur retiré de la liste des administrateurs",
"orJoinOneOfThese": "Ou rejoignez un de ceux-ci...", "orJoinOneOfThese": "Ou rejoignez un de ceux-ci...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Traduire Session",
"closedGroupInviteFailTitle": "Échec de l'invitation", "closedGroupInviteFailTitle": "Échec de l'invitation",
"closedGroupInviteFailTitlePlural": "Échec des invitations", "closedGroupInviteFailTitlePlural": "Échec des invitations",
"closedGroupInviteFailMessage": "Impossible d'inviter avec succès un membre du groupe", "closedGroupInviteFailMessage": "Impossible d'inviter avec succès un membre du groupe",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Réessayer les invitations", "closedGroupInviteOkText": "Réessayer les invitations",
"closedGroupInviteSuccessTitlePlural": "Invitations de groupes terminées", "closedGroupInviteSuccessTitlePlural": "Invitations de groupes terminées",
"closedGroupInviteSuccessTitle": "Invitation de groupe réussie", "closedGroupInviteSuccessTitle": "Invitation de groupe réussie",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Membres du groupe privé invités avec succès",
"notificationForConvo": "Notifications", "notificationForConvo": "Notifications",
"notificationForConvo_all": "Toutes", "notificationForConvo_all": "Toutes",
"notificationForConvo_disabled": "Désactivées", "notificationForConvo_disabled": "Désactivées",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Ouvrir cette page dans votre navigateur ?", "linkVisitWarningTitle": "Ouvrir cette page dans votre navigateur ?",
"linkVisitWarningMessage": "Êtes-vous sûr de vouloir ouvrir $url$ dans votre navigateur ?", "linkVisitWarningMessage": "Êtes-vous sûr de vouloir ouvrir $url$ dans votre navigateur ?",
"open": "Ouvrir", "open": "Ouvrir",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Lire automatiquement les messages audio",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Lire automatiquement les messages audio consécutifs.",
"clickToTrustContact": "Cliquez pour télécharger cette pièce-jointe", "clickToTrustContact": "Cliquez pour télécharger cette pièce-jointe",
"trustThisContactDialogTitle": "Faire confiance à $name$ ?", "trustThisContactDialogTitle": "Faire confiance à $name$ ?",
"trustThisContactDialogDescription": "Êtes-vous sûr de vouloir télécharger les médias envoyés par $name$ ?", "trustThisContactDialogDescription": "Êtes-vous sûr de vouloir télécharger les médias envoyés par $name$ ?",
"pinConversation": "Épingler la conversation", "pinConversation": "Épingler la conversation",
"unpinConversation": "Désépingler la conversation", "unpinConversation": "Désépingler la conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Afficher les détails de l'utilisateur", "showUserDetails": "Afficher les détails de l'utilisateur",
"sendRecoveryPhraseTitle": "Envoyer la phrase de récupération", "sendRecoveryPhraseTitle": "Envoyer la phrase de récupération",
"sendRecoveryPhraseMessage": "Vous essayer actuellement denvoyer votre phrase de récupération, qui peut être utilisée pour accéder a votre compte. Êtes-vous sûre de vouloir envoyer ce message?", "sendRecoveryPhraseMessage": "Vous essayer actuellement denvoyer votre phrase de récupération, qui peut être utilisée pour accéder a votre compte. Êtes-vous sûre de vouloir envoyer ce message?",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "Données non supprimées à cause d'une erreur inconnue. Voulez-vous supprimer les données de cet appareil seulement ?", "dialogClearAllDataDeletionFailedDesc": "Données non supprimées à cause d'une erreur inconnue. Voulez-vous supprimer les données de cet appareil seulement ?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Voulez-vous supprimer les données de cet appareil?", "dialogClearAllDataDeletionFailedTitleQuestion": "Voulez-vous supprimer les données de cet appareil?",
"dialogClearAllDataDeletionFailedMultiple": "Données non détectées par ces nœuds de services : $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Données non détectées par ces nœuds de services : $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Voulez-vous effacer seulement cet appareil ou aussi supprimer vos données du réseau ?",
"deviceOnly": "Clear Device Only", "clearDevice": "Effacer l'appareil",
"entireAccount": "Clear Device and Network", "tryAgain": "Réessayer",
"areYouSureClearDevice": "Voulez-vous vraiment effacer votre appareil ?",
"deviceOnly": "Effacer l'appareil uniquement",
"entireAccount": "Effacer l'appareil et le réseau",
"areYouSureDeleteDeviceOnly": "Êtes-vous sûr de vouloir supprimer uniquement les données de votre appareil ?", "areYouSureDeleteDeviceOnly": "Êtes-vous sûr de vouloir supprimer uniquement les données de votre appareil ?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Êtes-vous sûr de vouloir supprimer vos données du réseau ? Si vous continuez, vous ne pourrez pas restaurer vos messages ou vos contacts.",
"iAmSure": "Je suis sûr(e)", "iAmSure": "Je suis sûr(e)",
"recoveryPhraseSecureTitle": "Vous avez presque terminé !", "recoveryPhraseSecureTitle": "Vous avez presque terminé !",
"recoveryPhraseRevealMessage": "Sécurisez votre compte en enregistrant votre phrase de récupération. Afficher votre phrase de récupération puis stockez-la en toute sécurité pour la sécuriser.", "recoveryPhraseRevealMessage": "Sécurisez votre compte en enregistrant votre phrase de récupération. Afficher votre phrase de récupération puis stockez-la en toute sécurité pour la sécuriser.",
"recoveryPhraseRevealButtonText": "Afficher la phrase de récupération", "recoveryPhraseRevealButtonText": "Afficher la phrase de récupération",
"notificationSubtitle": "Paramètres des notifications", "notificationSubtitle": "Paramètres des notifications",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Nous apprécierions vos commentaires",
"faq": "FAQ", "faq": "Foire aux questions",
"support": "Support", "support": "Assistance",
"clearAll": "Effacer tout", "clearAll": "Effacer tout",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Effacer les données",
"messageRequests": "Requêtes de messages", "messageRequests": "Requêtes de messages",
"requestsSubtitle": "Demandes en fils d'attente", "requestsSubtitle": "Demandes en fils d'attente",
"requestsPlaceholder": "Aucune demande", "requestsPlaceholder": "Aucune demande",
@ -438,8 +449,8 @@
"accept": "Accepter", "accept": "Accepter",
"decline": "Refuser", "decline": "Refuser",
"endCall": "Terminer l'appel", "endCall": "Terminer l'appel",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Autorisations",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Aide",
"cameraPermissionNeededTitle": "Autorisations pour les appels vocaux/vidéo requises", "cameraPermissionNeededTitle": "Autorisations pour les appels vocaux/vidéo requises",
"cameraPermissionNeeded": "Vous pouvez activer la permission \"Appels vocaux et vidéo\" dans les paramètres de confidentialité.", "cameraPermissionNeeded": "Vous pouvez activer la permission \"Appels vocaux et vidéo\" dans les paramètres de confidentialité.",
"unableToCall": "Annulez d'abord votre appel en cours", "unableToCall": "Annulez d'abord votre appel en cours",
@ -449,12 +460,12 @@
"noCameraFound": "Aucune caméra trouvée", "noCameraFound": "Aucune caméra trouvée",
"noAudioInputFound": "Aucune entrée audio trouvée", "noAudioInputFound": "Aucune entrée audio trouvée",
"noAudioOutputFound": "Aucune sortie audio trouvée", "noAudioOutputFound": "Aucune sortie audio trouvée",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Appels vocaux et vidéo (Beta)",
"callMissedCausePermission": "Appel manqué de '$name$' car vous devez activer la permission 'Appels vocaux et vidéo' dans les paramètres de confidentialité.", "callMissedCausePermission": "Appel manqué de '$name$' car vous devez activer la permission 'Appels vocaux et vidéo' dans les paramètres de confidentialité.",
"callMissedNotApproved": "Appel manqué de '$name$' car vous n'avez pas encore approuvé cette conversation. Envoyez-leur un message d'abord.", "callMissedNotApproved": "Appel manqué de '$name$' car vous n'avez pas encore approuvé cette conversation. Envoyez-leur un message d'abord.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Active les appels vocaux et vidéo vers et depuis d'autres utilisateurs.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Votre adresse IP est visible par votre interlocuteur et un serveur d'Oxen Foundation lorsque que vous utilisez les appels beta. Voulez-vous vraiment activer les appels vocaux et vidéo ?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Appels vocaux et vidéo (Beta)",
"startedACall": "Vous avez appelé $name$", "startedACall": "Vous avez appelé $name$",
"answeredACall": "Appel avec $name$", "answeredACall": "Appel avec $name$",
"trimDatabase": "Réduire la base de données", "trimDatabase": "Réduire la base de données",
@ -468,25 +479,30 @@
"declineRequestMessage": "Êtes-vous sûr de vouloir refuser cette demande de message ?", "declineRequestMessage": "Êtes-vous sûr de vouloir refuser cette demande de message ?",
"respondingToRequestWarning": "Envoyer un message à cet utilisateur acceptera automatiquement sa demande de message et révélera votre ID de session.", "respondingToRequestWarning": "Envoyer un message à cet utilisateur acceptera automatiquement sa demande de message et révélera votre ID de session.",
"hideRequestBanner": "Masquer la bannière de demande de message", "hideRequestBanner": "Masquer la bannière de demande de message",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Demandes de message",
"noMessageRequestsPending": "Aucune demande de message en attente", "noMessageRequestsPending": "Aucune demande de message en attente",
"noMediaUntilApproved": "Vous ne pouvez pas envoyer de pièces jointes tant que la conversation n'est pas approuvée", "noMediaUntilApproved": "Vous ne pouvez pas envoyer de pièces jointes tant que la conversation n'est pas approuvée",
"mustBeApproved": "Cette conversation doit être acceptée pour utiliser cette fonctionnalité", "mustBeApproved": "Cette conversation doit être acceptée pour utiliser cette fonctionnalité",
"youHaveANewFriendRequest": "Vous avez une nouvelle demande dami", "youHaveANewFriendRequest": "Vous avez une nouvelle demande dami",
"clearAllConfirmationTitle": "Effacer toutes les demandes de message", "clearAllConfirmationTitle": "Effacer toutes les demandes de message",
"clearAllConfirmationBody": "Êtes-vous sûr de vouloir supprimer toutes les demandes de message ?", "clearAllConfirmationBody": "Êtes-vous sûr de vouloir supprimer toutes les demandes de message ?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Masquer", "hideBanner": "Masquer",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Voir la boîte de réception des demandes de message", "openMessageRequestInboxDescription": "Voir la boîte de réception des demandes de message",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Êtes-vous certain de vouloir effacer tous les $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Afficher moins",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Réagit à un message avec $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Ralentissez ! Vous avez envoyé trop d'émoticônes. Réessayez bientôt.",
"otherPlural": "$number$ others", "otherSingular": "$number$ autre",
"reactionPopup": "reacted with", "otherPlural": "$number$ autres",
"reactionPopup": "a réagit avec",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Et $otherSingular$ a réagi à ce message avec <span>$emoji$</span>",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Et $otherPlural$ ont réagi à ce message avec <span>$emoji$</span>"
} }

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "להצטרף ל $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "להצטרף ל $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "הזן את מזהה הסשן שלך או שם ONS", "enterSessionIDOrONSName": "הזן את מזהה הסשן שלך או שם ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "טוען...", "loading": "טוען...",
@ -72,7 +72,7 @@
"noSearchResults": "אין תוצאות עבור \"$searchTerm$\"", "noSearchResults": "אין תוצאות עבור \"$searchTerm$\"",
"conversationsHeader": "אנשי קשר וקבוצות", "conversationsHeader": "אנשי קשר וקבוצות",
"contactsHeader": "אנשי קשר", "contactsHeader": "אנשי קשר",
"messagesHeader": "הודעות", "messagesHeader": "Conversations",
"settingsHeader": "הגדרות", "settingsHeader": "הגדרות",
"typingAlt": "הנפשת הקלדה עבור שיחה זו", "typingAlt": "הנפשת הקלדה עבור שיחה זו",
"contactAvatarAlt": "יצגן עבור איש קשר $name$", "contactAvatarAlt": "יצגן עבור איש קשר $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "למחוק $count$ הודעות?", "deleteMessagesQuestion": "למחוק $count$ הודעות?",
"deleteMessageQuestion": "למחוק הודעה זו?", "deleteMessageQuestion": "למחוק הודעה זו?",
"deleteMessages": "מחק הודעות", "deleteMessages": "מחק הודעות",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "הודעה זו נמחקה", "messageDeletedPlaceholder": "הודעה זו נמחקה",
"from": "מאת", "from": "מאת",
@ -107,29 +108,30 @@
"sent": "נשלח", "sent": "נשלח",
"received": "התקבל", "received": "התקבל",
"sendMessage": "שלח הודעה", "sendMessage": "שלח הודעה",
"groupMembers": "חברי קבוצה", "groupMembers": "Members",
"moreInformation": "מידע נוסף", "moreInformation": "מידע נוסף",
"resend": "שלח שוב", "resend": "שלח שוב",
"deleteConversationConfirmation": "האם למחוק לצמיתות שיחה זו?", "deleteConversationConfirmation": "האם למחוק לצמיתות שיחה זו?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "ניקוי כל הנתונים", "clearAllData": "ניקוי כל הנתונים",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "אתה בטוח שברצונך למחוק את השיחה הזאת?", "deleteContactConfirmation": "אתה בטוח שברצונך למחוק את השיחה הזאת?",
"quoteThumbnailAlt": "תמונה ממוזערת מהודעה מצוטטת", "quoteThumbnailAlt": "תמונה ממוזערת מהודעה מצוטטת",
"imageAttachmentAlt": "תמונה צורפה אל הודעה", "imageAttachmentAlt": "תמונה צורפה אל הודעה",
"videoAttachmentAlt": "צילום מסך של וידיאו צורף אל הודעה", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "תמונה נשלחה בשיחה", "lightboxImageAlt": "תמונה נשלחה בשיחה",
"imageCaptionIconAlt": "ראות צלמית שיש לתמונה זו כיתוב", "imageCaptionIconAlt": "ראות צלמית שיש לתמונה זו כיתוב",
"addACaption": "הוסף כיתוב...", "addACaption": "הוסף כיתוב...",
"copySessionID": "העתק מזהה", "copySessionID": "העתק מזהה",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "שמור", "save": "שמור",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "שם השולח והודעה", "nameAndMessage": "Name & Content",
"noNameOrMessage": "לא שם ולא הודעה", "noNameOrMessage": "לא שם ולא הודעה",
"nameOnly": "רק את שם השולח", "nameOnly": "רק את שם השולח",
"newMessage": "הודעה חדשה", "newMessage": "הודעה חדשה",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 שעות", "timerOption_12_hours": "12 שעות",
"timerOption_1_day": "יום 1", "timerOption_1_day": "יום 1",
"timerOption_1_week": "שבוע 1", "timerOption_1_week": "שבוע 1",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "הודעות נעלמות", "disappearingMessages": "הודעות נעלמות",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 שע'", "timerOption_12_hours_abbreviated": "12 שע'",
"timerOption_1_day_abbreviated": "1 י'", "timerOption_1_day_abbreviated": "1 י'",
"timerOption_1_week_abbreviated": "1 שב'", "timerOption_1_week_abbreviated": "1 שב'",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "הודעות נעלמות מושבתות", "disappearingMessagesDisabled": "הודעות נעלמות מושבתות",
"disabledDisappearingMessages": "$name$ השבית הודעות נעלמות", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "הִשְׁבַּת הודעות נעלמות", "youDisabledDisappearingMessages": "הִשְׁבַּת הודעות נעלמות",
"timerSetTo": "קוצב הזמן הוגדר אל $time$", "timerSetTo": "קוצב הזמן הוגדר אל $time$",
"noteToSelf": "הערה לעצמי", "noteToSelf": "הערה לעצמי",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "התחל שיחה חדשה...", "startConversation": "התחל שיחה חדשה...",
"invalidNumberError": "מספר בלתי תקף", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ הצטרפו אל הקבוצה", "multipleJoinedTheGroup": "$names$ הצטרפו אל הקבוצה",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "יש לך בקשת חברות חדשה", "youHaveANewFriendRequest": "יש לך בקשת חברות חדשה",
"clearAllConfirmationTitle": "ניקוי כל בקשות ההודעות", "clearAllConfirmationTitle": "ניקוי כל בקשות ההודעות",
"clearAllConfirmationBody": "האם את/ה בטוח/ה שברצונך למחוק את כל בקשות ההודעות?", "clearAllConfirmationBody": "האם את/ה בטוח/ה שברצונך למחוק את כל בקשות ההודעות?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "הסתר/י", "hideBanner": "הסתר/י",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "צפיה בתיבה נכנסת לבקשות שיחה", "openMessageRequestInboxDescription": "צפיה בתיבה נכנסת לבקשות שיחה",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -16,8 +16,8 @@
"editMenuCut": "कट", "editMenuCut": "कट",
"editMenuCopy": "कॉपी करें", "editMenuCopy": "कॉपी करें",
"editMenuPaste": "पेस्ट करें", "editMenuPaste": "पेस्ट करें",
"editMenuDeleteContact": "Delete Contact", "editMenuDeleteContact": "संपर्क हटाएँ",
"editMenuDeleteGroup": "Delete Group", "editMenuDeleteGroup": "ग्रुप डिलीट करें",
"editMenuSelectAll": "Select All", "editMenuSelectAll": "Select All",
"windowMenuClose": "विंडो बंद करें", "windowMenuClose": "विंडो बंद करें",
"windowMenuMinimize": "छोटा करें", "windowMenuMinimize": "छोटा करें",
@ -28,21 +28,21 @@
"viewMenuToggleFullScreen": "पूर्णस्क्रीन में जाएं", "viewMenuToggleFullScreen": "पूर्णस्क्रीन में जाएं",
"viewMenuToggleDevTools": "डेवलपर टूल टॉगल करें", "viewMenuToggleDevTools": "डेवलपर टूल टॉगल करें",
"contextMenuNoSuggestions": "कोई सुझाव नहीं हैं", "contextMenuNoSuggestions": "कोई सुझाव नहीं हैं",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "समुदाय आमंत्रण",
"joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$ से जुड़ें?", "joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$ से जुड़ें?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "क्या आप $roomName$ open ग्रुप से जुड़ना चाहते हैं?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Session आईडी या ओएनएस नाम दर्ज करें", "enterSessionIDOrONSName": "Session आईडी या ओएनएस नाम दर्ज करें",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "किसी की सेशन आईडी दर्ज करके एक नई बातचीत शुरू करें या उनके साथ अपनी सेशन आईडी साझा करें।",
"loading": "लोड हो रहा है", "loading": "लोड हो रहा है",
"done": "पूरा हुआ", "done": "पूरा हुआ",
"youLeftTheGroup": "आपने समूह छोड़ दिया", "youLeftTheGroup": "आपने समूह छोड़ दिया",
"youGotKickedFromGroup": "इस समूह से आप हटा दिए गए", "youGotKickedFromGroup": "इस समूह से आप हटा दिए गए",
"unreadMessages": "अपठित मेसेजस", "unreadMessages": "अपठित मेसेजस",
"debugLogExplanation": "This log will be saved to your desktop.", "debugLogExplanation": "यह लॉग आपके डेस्कटॉप पर सहेजा जाएगा।",
"reportIssue": "Report a Bug", "reportIssue": "बग सूचित करें",
"markAllAsRead": "सभी को पढ़ा हुआ मार्क करें", "markAllAsRead": "सभी को पढ़ा हुआ मार्क करें",
"incomingError": "Error handling incoming message", "incomingError": "आने वाले संदेश को संभालने में त्रुटि",
"media": "मीडिया", "media": "मीडिया",
"mediaEmptyState": "You dont have any media in this conversation", "mediaEmptyState": "You dont have any media in this conversation",
"documents": "दस्तावेज़", "documents": "दस्तावेज़",
@ -52,9 +52,9 @@
"thisWeek": "This Week", "thisWeek": "This Week",
"thisMonth": "इस महीने", "thisMonth": "इस महीने",
"voiceMessage": "ध्वनि संदेश", "voiceMessage": "ध्वनि संदेश",
"stagedPreviewThumbnail": "Draft thumbnail link preview for $domain$", "stagedPreviewThumbnail": "$domain$ के लिए ड्राफ़्ट थंबनेल लिंक पूर्वावलोकन",
"previewThumbnail": "Thumbnail link preview for $domain$", "previewThumbnail": "$domain$ के लिए थंबनेल लिंक पूर्वावलोकन",
"stagedImageAttachment": "Draft image attachment: $path$", "stagedImageAttachment": "ड्राफ़्ट इमेज अटैचमेंट: $path$",
"oneNonImageAtATimeToast": "When including a non-image attachment, the limit is one attachment per message.", "oneNonImageAtATimeToast": "When including a non-image attachment, the limit is one attachment per message.",
"cannotMixImageAndNonImageAttachments": "You cannot mix non-image and image attachments in one message.", "cannotMixImageAndNonImageAttachments": "You cannot mix non-image and image attachments in one message.",
"maximumAttachments": "You cannot add any more attachments to this message.", "maximumAttachments": "You cannot add any more attachments to this message.",
@ -62,17 +62,17 @@
"unableToLoadAttachment": "Unable to load selected attachment.", "unableToLoadAttachment": "Unable to load selected attachment.",
"offline": "ऑफ़लाइन", "offline": "ऑफ़लाइन",
"debugLog": "लॉग को डीबग करें", "debugLog": "लॉग को डीबग करें",
"showDebugLog": "Export Logs", "showDebugLog": "निर्यात लॉग",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "अपने लॉग निर्यात करें, फिर सेशन के हेल्प डेस्क के माध्यम से फ़ाइल अपलोड करें।",
"goToReleaseNotes": "रिलीज़ नोट्स पे जाइए", "goToReleaseNotes": "रिलीज़ नोट्स पे जाइए",
"goToSupportPage": "सहायता पेज पर जाएँ", "goToSupportPage": "सहायता पेज पर जाएँ",
"about": "हमारे बारे में", "about": "हमारे बारे में",
"show": "दिखाना", "show": "दिखाना",
"sessionMessenger": "सैशन", "sessionMessenger": "सैशन",
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "संपर्क और समूहों",
"contactsHeader": "संपर्क", "contactsHeader": "संपर्क",
"messagesHeader": "संदेश", "messagesHeader": "Conversations",
"settingsHeader": "सेटिंग्स", "settingsHeader": "सेटिंग्स",
"typingAlt": "इस कन्वर्सेशन के लिए टाइपिंग एनीमेशन", "typingAlt": "इस कन्वर्सेशन के लिए टाइपिंग एनीमेशन",
"contactAvatarAlt": "$name$ कांटेक्ट का अवतार", "contactAvatarAlt": "$name$ कांटेक्ट का अवतार",
@ -94,90 +94,92 @@
"continue": "जारी रखें", "continue": "जारी रखें",
"error": " गलती", "error": " गलती",
"delete": "हटाना", "delete": "हटाना",
"messageDeletionForbidden": "You dont have permission to delete others messages", "messageDeletionForbidden": "आपको दूसरों के संदेशों को हटाने की अनुमति नहीं है",
"deleteJustForMe": "Delete just for me", "deleteJustForMe": "सिर्फ मेरे लिए मिटाएं",
"deleteForEveryone": "Delete for everyone", "deleteForEveryone": "सभी के लिए हटाएं",
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "$count$ संदेश हटाएं?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "यह संदेश हटाएं?",
"deleteMessages": "संदेश हटाएँ", "deleteMessages": "संदेश हटाएँ",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"messageDeletedPlaceholder": "This message has been deleted", "deleted": "$count$ हटाई गई",
"messageDeletedPlaceholder": "यह संदेश हटा दिया गया है",
"from": "किस से", "from": "किस से",
"to": "to", "to": "to",
"sent": "भेज दिया", "sent": "भेज दिया",
"received": "प्राप्त किया", "received": "प्राप्त किया",
"sendMessage": "एक संदेश भेजें", "sendMessage": "एक संदेश भेजें",
"groupMembers": "समूह के सदस्य", "groupMembers": "Members",
"moreInformation": "अधिक जानकारी", "moreInformation": "अधिक जानकारी",
"resend": "फिर से भेजें", "resend": "फिर से भेजें",
"deleteConversationConfirmation": "इस वार्तालाप को स्थायी रूप से हटाएं?", "deleteConversationConfirmation": "इस वार्तालाप को स्थायी रूप से हटाएं?",
"clear": "Clear", "clear": "साफ़",
"clearAllData": "सभी डेटा हटाएं", "clearAllData": "सभी डेटा हटाएं",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "यह आपके मैसेजस, सेशन और कॉन्टैक्टस को स्थायी रूप से हटा देगा।",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteAccountFromLogin": "Are you sure you want to clear your device?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "deleteContactConfirmation": "क्या वाकई आप इस वार्तालाप को हटाना चाहते हैं?",
"imageAttachmentAlt": "Image attached to message", "quoteThumbnailAlt": "उद्धृत संदेश से छवि का थंबनेल",
"videoAttachmentAlt": "Screenshot of video attached to message", "imageAttachmentAlt": "संदेश से जुड़ी छवि",
"lightboxImageAlt": "Image sent in conversation", "videoAttachmentAlt": "Screenshot of video in message",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "lightboxImageAlt": "बातचीत में भेजा गया चित्र",
"addACaption": "Add a caption...", "imageCaptionIconAlt": "आइकन दिखा रहा है कि इस छवि में एक कैप्शन है",
"copySessionID": "Copy Session ID", "addACaption": "शीर्षक जोड़ें...",
"copyOpenGroupURL": "Copy Group's URL", "copySessionID": "कापी सेशन आईडी",
"copyOpenGroupURL": "Copy Group URL",
"save": "संरक्षित करें", "save": "संरक्षित करें",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "लॉग को डेस्कटॉप पर सहेजें",
"saved": "Saved", "saved": "सेव किया",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ ने स्क्रीनशॉट लिया",
"savedTheFile": "Media saved by $name$", "savedTheFile": "$name$ द्वारा मीडिया सहेजा गया",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "लिंक प्रिव्यू भेजें",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "लिंक प्रीव्यू भेजते समय आपके पास पूर्ण मेटाडेटा सुरक्षा नहीं होगी।",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "माइक्रोफ़ोन",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "माइक्रोफ़ोन तक पहुंच की अनुमति दें।",
"spellCheckTitle": "Spell Check", "spellCheckTitle": "वर्तनी की जाँच",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "संदेश टाइप करते समय वर्तनी जांच सक्षम करें।",
"spellCheckDirty": "You must restart Session to apply your new settings", "spellCheckDirty": "अपनी नई सेटिंग लागू करने के लिए आपको सेशन पुनः प्रारंभ करना होगा",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "एक-से-एक चैट में पठन रसीदें भेजें।",
"readReceiptSettingTitle": "Read Receipts", "readReceiptSettingTitle": "पढ़ने की रसीदें",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "एक-से-एक चैट में टाइपिंग संकेतक देखें और साझा करें।",
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "टाइपिंग सूचक",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "ज़ूम फैक्टर",
"themesSettingTitle": "Themes", "themesSettingTitle": "थीम्स",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "प्राथमिक रंग हरा",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "प्राथमिक रंग नीला",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "प्राथमिक रंग पीला",
"primaryColorPink": "Primary color pink", "primaryColorPink": "प्राथमिक रंग गुलाबी",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "प्राथमिक रंग बैंगनी",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "प्राथमिक रंग नारंगी",
"primaryColorRed": "Primary color red", "primaryColorRed": "प्राथमिक रंग लाल",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "क्लासिक डार्क",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "क्लासिक लाइट",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "सागर अंधेरा",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "सागर प्रकाश",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "समुदाय काट-छांट कीजिये",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "सक्षम",
"keepDisabled": "Keep disabled", "keepDisabled": "अक्षम रखें",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "सूचनाओं में दिखाई गई जानकारी।",
"nameAndMessage": "प्रेषक का नाम और संदेश दोनों", "nameAndMessage": "Name & Content",
"noNameOrMessage": "न तो नाम और न ही संदेश", "noNameOrMessage": "न तो नाम और न ही संदेश",
"nameOnly": "केवल प्रेषक का नाम", "nameOnly": "केवल प्रेषक का नाम",
"newMessage": "नया संदेश", "newMessage": "नया संदेश",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "नए संपर्क के साथ बातचीत बनाएं",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "मौजूदा संपर्कों के साथ एक समूह बनाएं",
"joinACommunity": "Join a community", "joinACommunity": "एक समुदाय में शामिल हों",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "बातचीत शुरू करने के लिए एक क्रिया चुनें",
"newMessages": "नए संदेश", "newMessages": "नए संदेश",
"notificationMostRecentFrom": "Most recent from:", "notificationMostRecentFrom": "Most recent from:",
"notificationFrom": "From:", "notificationFrom": "तरफ से:",
"notificationMostRecent": "Most recent:", "notificationMostRecent": "सबसे हाल का:",
"sendFailed": "Send failed", "sendFailed": "Send failed",
"mediaMessage": "मीडिया संदेश", "mediaMessage": "मीडिया संदेश",
"messageBodyMissing": "Please enter a message body.", "messageBodyMissing": "कृपया संदेश का मुख्य भाग दर्ज करें।",
"messageBody": "Message body", "messageBody": "संदेश का मुख्य हिस्सा",
"unblockToSend": "कोई संदेश भेजने के लिए इस संपर्क को अनवरोधित करें", "unblockToSend": "कोई संदेश भेजने के लिए इस संपर्क को अनवरोधित करें",
"unblockGroupToSend": "Unblock this group to send a message.", "unblockGroupToSend": "Unblock this group to send a message.",
"youChangedTheTimer": "You set the disappearing message timer to $time$", "youChangedTheTimer": "आपने गायब होने वाले संदेश टाइमर को $time$ पर सेट किया है",
"timerSetOnSync": "Updated disappearing message timer to $time$", "timerSetOnSync": "Updated disappearing message timer to $time$",
"theyChangedTheTimer": "$name$ set the disappearing message timer to $time$", "theyChangedTheTimer": "$name$ set the disappearing message timer to $time$",
"timerOption_0_seconds": "बंद", "timerOption_0_seconds": "बंद",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 घंटे", "timerOption_12_hours": "12 घंटे",
"timerOption_1_day": "1 दिन", "timerOption_1_day": "1 दिन",
"timerOption_1_week": "1 सप्ताह", "timerOption_1_week": "1 सप्ताह",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "गायब होने वाले संदेश", "disappearingMessages": "गायब होने वाले संदेश",
"changeNickname": "उपनाम बदलें", "changeNickname": "उपनाम बदलें",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 घंटे", "timerOption_12_hours_abbreviated": "12 घंटे",
"timerOption_1_day_abbreviated": "1 डी", "timerOption_1_day_abbreviated": "1 डी",
"timerOption_1_week_abbreviated": "1 सप्ताह", "timerOption_1_week_abbreviated": "1 सप्ताह",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "गायब होने वाले संदेश अक्षम", "disappearingMessagesDisabled": "गायब होने वाले संदेश अक्षम",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "टाइमर पर सेट $time$", "timerSetTo": "टाइमर पर सेट $time$",
"noteToSelf": "खुद पर ध्यान दें", "noteToSelf": "खुद पर ध्यान दें",
"hideMenuBarTitle": "मेनू बार छुपाएं", "hideMenuBarTitle": "मेनू बार छुपाएं",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "अमान्य संख्या", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "स्वयमेव अद्यतन हो जाना", "autoUpdateSettingTitle": "स्वयमेव अद्यतन हो जाना",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ joined the group", "multipleJoinedTheGroup": "$names$ joined the group",
"kickedFromTheGroup": "$name$ को समूह से हटा दिया गया था।", "kickedFromTheGroup": "$name$ को समूह से हटा दिया गया था।",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "खंड", "block": "Block",
"unblockUser": "अनब्लॉक", "unblock": "Unblock",
"unblocked": "अनब्लॉक किया", "unblocked": "अनब्लॉक किया",
"blocked": "अवरोधित", "blocked": "अवरोधित",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,62 +283,62 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
"changePassword": "Change Password", "changePassword": "Change Password",
"createPassword": "Create your password", "createPassword": "अपना पासवर्ड बनाएं",
"removePassword": "Remove Password", "removePassword": "पासवर्ड हटाएं",
"maxPasswordAttempts": "Invalid Password. Would you like to reset the database?", "maxPasswordAttempts": "अवैध पासवर्ड। क्या आप डेटाबेस को रीसेट करना चाहेंगे?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "कृपया अपना वर्तमान पासवर्ड दर्ज करें",
"invalidOldPassword": "Old password is invalid", "invalidOldPassword": "पुराना पासवर्ड अमान्य है",
"invalidPassword": "Invalid password", "invalidPassword": "अमान्य पासवर्ड",
"noGivenPassword": "Please enter your password", "noGivenPassword": "कृपया अपना पासवर्ड दर्ज करें",
"passwordsDoNotMatch": "Passwords do not match", "passwordsDoNotMatch": "पासवर्ड्स मेल नहीं खाते",
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "पासवर्ड्स मेल नहीं खाते",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "आपके द्वारा दर्ज किया गया पुराना पासवर्ड गलत है",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "गलत पासवर्ड",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "आपका पासवर्ड सेट कर दिया गया है। कृपया इसे सुरक्षित रखें।",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "आपका पासवर्ड बदल दिया गया है। कृपया इसे सुरक्षित रखें।",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "आप पहले से ही इस समुदाय से जुड़े हुए हैं",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "समुदाय में शामिल नहीं हो सका",
"connectingToServer": "Connecting...", "connectingToServer": "कनेक्ट हो रहा है...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "समुदाय से सफलतापूर्वक जुड़ा",
"setPasswordFail": "Failed to set password", "setPasswordFail": "पासवर्ड सेट करने में विफल",
"passwordLengthError": "Password must be between 6 and 64 characters long", "passwordLengthError": "पासवर्ड 6 से 64 वर्णों के बीच होना चाहिए",
"passwordTypeError": "Password must be a string", "passwordTypeError": "पासवर्ड एक स्ट्रिंग होना चाहिए",
"passwordCharacterError": "Password must only contain letters, numbers and symbols", "passwordCharacterError": "पासवर्ड में केवल अक्षर, संख्याएं और प्रतीक होने चाहिए",
"remove": "Remove", "remove": "हटा दें",
"invalidSessionId": "Invalid Session ID", "invalidSessionId": "अमान्य सेशन आईडी",
"invalidPubkeyFormat": "Invalid Pubkey Format", "invalidPubkeyFormat": "अमान्य पबकी प्रारूप",
"emptyGroupNameError": "Please enter a group name", "emptyGroupNameError": "कृपया ग्रुप नाम डालें",
"editProfileModalTitle": "Profile", "editProfileModalTitle": "प्रोफ़ाइल",
"groupNamePlaceholder": "Group Name", "groupNamePlaceholder": "ग्रुप का नाम",
"inviteContacts": "Invite Contacts", "inviteContacts": "मित्रों को आमंत्रित करें",
"addModerators": "Add Admins", "addModerators": "एडमिन जोड़ें",
"removeModerators": "Remove Admins", "removeModerators": "एडमिन को हटाएं",
"addAsModerator": "Add as Admin", "addAsModerator": "एडमिन के रूप में जोड़ें",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "व्यवस्थापकों से निकालें",
"add": "Add", "add": "जोड़ें",
"addingContacts": "Adding contacts to $name$", "addingContacts": "$name$ में संपर्क जोड़ना",
"noContactsToAdd": "No contacts to add", "noContactsToAdd": "जोड़ने के लिए कोई संपर्क नहीं",
"noMembersInThisGroup": "No other members in this group", "noMembersInThisGroup": "इस समूह में कोई अन्य सदस्य नहीं है",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "हटाने के लिए कोई एडमिन नहीं",
"onlyAdminCanRemoveMembers": "You are not the creator", "onlyAdminCanRemoveMembers": "आप निर्माता नहीं हैं",
"onlyAdminCanRemoveMembersDesc": "Only the creator of the group can remove users", "onlyAdminCanRemoveMembersDesc": "केवल समूह का निर्माता ही एडमिन को हटा सकता है",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Keep in System Tray", "startInTrayTitle": "सिस्टम ट्रे में रखें",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "जब आप विंडो बंद करते हैं तो सेशन को पृष्ठभूमि में चालू रखें।",
"yourUniqueSessionID": "Say hello to your Session ID", "yourUniqueSessionID": "अपने सेशन आईडी को नमस्ते कहें",
"allUsersAreRandomly...": "Your Session ID is the unique address people can use to contact you on Session. With no connection to your real identity, your Session ID is totally anonymous and private by design.", "allUsersAreRandomly...": "आपकी सेशन आईडी एक ऐसा अनोखा पता है जिसका उपयोग करके लोग आपसे सेशन पर संपर्क कर सकते हैं। आपकी वास्तविक पहचान से कोई संबंध नहीं होने के कारण, आपका सेशन आईडी डिज़ाइन द्वारा पूरी तरह से गुमनाम और निजी है |",
"getStarted": "Get started", "getStarted": "प्रारंभ करें",
"createSessionID": "Create Session ID", "createSessionID": "सेशन आईडी बनाएं",
"recoveryPhrase": "Recovery Phrase", "recoveryPhrase": "रिकवरी वाक्यांश",
"enterRecoveryPhrase": "Enter your recovery phrase", "enterRecoveryPhrase": "Enter your recovery phrase",
"displayName": "Display Name", "displayName": "Display Name",
"anonymous": "Anonymous", "anonymous": "Anonymous",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -386,52 +393,56 @@
"closedGroupInviteSuccessTitlePlural": "Group Invitations Completed", "closedGroupInviteSuccessTitlePlural": "Group Invitations Completed",
"closedGroupInviteSuccessTitle": "Group Invitation Succeeded", "closedGroupInviteSuccessTitle": "Group Invitation Succeeded",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Successfully invited group members",
"notificationForConvo": "Notifications", "notificationForConvo": "सूचनाएं",
"notificationForConvo_all": "All", "notificationForConvo_all": "सभी",
"notificationForConvo_disabled": "Disabled", "notificationForConvo_disabled": "अक्षम",
"notificationForConvo_mentions_only": "Mentions only", "notificationForConvo_mentions_only": "केवल उल्लेख",
"onionPathIndicatorTitle": "Path", "onionPathIndicatorTitle": "पथ",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:", "onionPathIndicatorDescription": "सेशन आपके मैसेज को सेशन के डेंटरलिज़्ड नेटवर्क की बहुत साडी सर्विस नोड्स में भेज देता है जो आपकी IP को छुपाती है.",
"unknownCountry": "Unknown Country", "unknownCountry": "अज्ञात देश",
"device": "Device", "device": "डिवाइस",
"destination": "Destination", "destination": "गंतव्य",
"learnMore": "Learn more", "learnMore": "और जानें",
"linkVisitWarningTitle": "Open this link in your browser?", "linkVisitWarningTitle": "इस लिंक को अपने ब्राउज़र में खोलें?",
"linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?", "linkVisitWarningMessage": "क्या आप वाकई अपने ब्राउज़र में $url$ खोलना चाहते हैं?",
"open": "Open", "open": "खोलें",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "ऑटोप्ले ऑडियो संदेश",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "लगातार ऑडियो संदेशों को ऑटोप्ले करें।",
"clickToTrustContact": "Click to download media", "clickToTrustContact": "मीडिया डाउनलोड करने के लिए क्लिक करें",
"trustThisContactDialogTitle": "Trust $name$?", "trustThisContactDialogTitle": "$name$ पर भरोसा करें?",
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "क्या आप वाकई $name$ द्वारा भेजे गए मीडिया को डाउनलोड करना चाहते हैं?",
"pinConversation": "Pin Conversation", "pinConversation": "पिन वार्तालाप",
"unpinConversation": "Unpin Conversation", "unpinConversation": "वार्तालाप अनपिन करें",
"showUserDetails": "Show User Details", "markUnread": "Mark Unread",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "showUserDetails": "उपयोगकर्ता विवरण दिखाएं",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseTitle": "रिकवरी फ्रेज भेजा जा रहा है",
"dialogClearAllDataDeletionFailedTitle": "Data not deleted", "sendRecoveryPhraseMessage": "आप अपना रिकवरी फ्रेज भेजने का प्रयास कर रहे हैं जिसका उपयोग आपके खाते तक पहुंचने के लिए किया जा सकता है। क्या आप वाकई यह संदेश भेजना चाहते हैं?",
"dialogClearAllDataDeletionFailedDesc": "Data not deleted with an unknown error. Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitle": "डेटा हटाया नहीं गया",
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedDesc": "अज्ञात त्रुटि के साथ डेटा हटाया नहीं गया। क्या आप केवल इस उपकरण से डेटा हटाना चाहते हैं?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedTitleQuestion": "क्या आप केवल इस डिवाइस से डेटा हटाना चाहते हैं?",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionFailedMultiple": "डेटा उन सेवा नोड्स द्वारा नहीं हटाया गया: $snodes$",
"deviceOnly": "Clear Device Only", "dialogClearAllDataDeletionQuestion": "क्या आप केवल इस डिवाइस को साफ़ करना चाहते हैं, या नेटवर्क से भी अपना डेटा हटाना चाहते हैं?",
"entireAccount": "Clear Device and Network", "clearDevice": "Clear Device",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "tryAgain": "Try Again",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureClearDevice": "Are you sure you want to clear your device?",
"iAmSure": "I am sure", "deviceOnly": "केवल डिवाइस साफ़ करें",
"recoveryPhraseSecureTitle": "You're almost finished!", "entireAccount": "डिवाइस और नेटवर्क साफ़ करें",
"recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.", "areYouSureDeleteDeviceOnly": "क्या आप वाकई केवल अपने डिवाइस डेटा को हटाना चाहते हैं?",
"recoveryPhraseRevealButtonText": "Reveal Recovery Phrase", "areYouSureDeleteEntireAccount": "क्या आप वाकई नेटवर्क से अपना डेटा हटाना चाहते हैं? यदि आप जारी रखते हैं, तो आप अपने संदेशों या संपर्कों को पुनर्स्थापित नहीं कर पाएंगे।",
"notificationSubtitle": "Notifications - $setting$", "iAmSure": "मुझे यकीन है",
"surveyTitle": "We'd Love Your Feedback", "recoveryPhraseSecureTitle": "आप लगभग समाप्त कर चुके हैं!",
"faq": "FAQ", "recoveryPhraseRevealMessage": "अपना रिकवरी फ्रेज सहेज कर अपना खाता सुरक्षित करें. अपना रिकवरी फ्रेज प्रकट करें और फिर इसे सुरक्षित करने के लिए सुरक्षित रूप से संग्रहीत करें।",
"support": "Support", "recoveryPhraseRevealButtonText": "रिकवरी फ्रेज प्रकट करें",
"clearAll": "Clear All", "notificationSubtitle": "सूचनाएं - $setting$",
"clearDataSettingsTitle": "Clear Data", "surveyTitle": "हमें आपकी प्रतिक्रिया पसंद आएगी",
"messageRequests": "Message Requests", "faq": "अकसर किये गए सवाल",
"requestsSubtitle": "Pending Requests", "support": "सहायता",
"requestsPlaceholder": "No requests", "clearAll": "सभ साफ करें",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "clearDataSettingsTitle": "डेटा हटाएं",
"messageRequests": "संदेश अनुरोध",
"requestsSubtitle": "अनुरोध लंबित",
"requestsPlaceholder": "कोई अनुरोध नहीं",
"hideRequestBannerDescription": "संदेश अनुरोध बैनर को तब तक छिपाएं जब तक कि आपको कोई नया संदेश अनुरोध प्राप्त न हो जाए।",
"incomingCallFrom": "Incoming call from '$name$'", "incomingCallFrom": "Incoming call from '$name$'",
"ringing": "Ringing...", "ringing": "Ringing...",
"establishingConnection": "Establishing connection...", "establishingConnection": "Establishing connection...",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Učitavanje...", "loading": "Učitavanje...",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Kontakti", "contactsHeader": "Kontakti",
"messagesHeader": "Poruke", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Typing animation for this conversation",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Avatar for contact $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Izbriši poruku", "deleteMessages": "Izbriši poruku",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "Od", "from": "Od",
@ -107,29 +108,30 @@
"sent": "Poslano", "sent": "Poslano",
"received": "Primljeno", "received": "Primljeno",
"sendMessage": "Pošalji poruku", "sendMessage": "Pošalji poruku",
"groupMembers": "Članovi grupe", "groupMembers": "Members",
"moreInformation": "More information", "moreInformation": "More information",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "Trajno obrisati ovaj razgovor?", "deleteConversationConfirmation": "Trajno obrisati ovaj razgovor?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "quoteThumbnailAlt": "Thumbnail of image from quoted message",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Image sent in conversation", "lightboxImageAlt": "Image sent in conversation",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...", "addACaption": "Add a caption...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Spremi", "save": "Spremi",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "I pošiljateljevo ime i poruka", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Ni ime ni poruka", "noNameOrMessage": "Ni ime ni poruka",
"nameOnly": "Samo pošiljateljevo ime", "nameOnly": "Samo pošiljateljevo ime",
"newMessage": "Nova poruka", "newMessage": "Nova poruka",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hours", "timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 dan", "timerOption_1_day": "1 dan",
"timerOption_1_week": "1 tjedan", "timerOption_1_week": "1 tjedan",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Nestajuće poruke", "disappearingMessages": "Nestajuće poruke",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1t", "timerOption_1_week_abbreviated": "1t",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "Brojač postavljen na $time$", "timerSetTo": "Brojač postavljen na $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "Neispravni broj", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ joined the group", "multipleJoinedTheGroup": "$names$ joined the group",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Teljes képernyő bekapcsolása/kikapcsolása", "viewMenuToggleFullScreen": "Teljes képernyő bekapcsolása/kikapcsolása",
"viewMenuToggleDevTools": "Fejlesztői eszközök megjelenítése/elrejtése", "viewMenuToggleDevTools": "Fejlesztői eszközök megjelenítése/elrejtése",
"contextMenuNoSuggestions": "Nincsenek javaslatok", "contextMenuNoSuggestions": "Nincsenek javaslatok",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Meghívás közösségbe",
"joinOpenGroupAfterInvitationConfirmationTitle": "Csatlakozni a $roomName$ nevű szobához?", "joinOpenGroupAfterInvitationConfirmationTitle": "Csatlakozni a $roomName$ nevű szobához?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Biztosan csatlakozni szeretne a(z) $roomName$ nyilvános csoporthoz?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Írja be Session azonosítóját vagy ONS nevét", "enterSessionIDOrONSName": "Írja be Session azonosítóját vagy ONS nevét",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Beszélgetés kezdeményezéséhez addj meg egy Session ID-t vagy oszd meg a tiédet másokkal.",
"loading": "Betöltés...", "loading": "Betöltés...",
"done": "Kész", "done": "Kész",
"youLeftTheGroup": "Kiléptél a csoportból", "youLeftTheGroup": "Kiléptél a csoportból",
"youGotKickedFromGroup": "Ön ki lett dobva ebből a csoportból.", "youGotKickedFromGroup": "Ön ki lett dobva ebből a csoportból.",
"unreadMessages": "Olvasatlan Üzenetek", "unreadMessages": "Olvasatlan Üzenetek",
"debugLogExplanation": "Ez a napló az asztalra lesz mentve.", "debugLogExplanation": "Ez a napló az asztalra lesz mentve.",
"reportIssue": "Report a Bug", "reportIssue": "Hiba jelentése",
"markAllAsRead": "Összes megjelölése olvasottként", "markAllAsRead": "Összes megjelölése olvasottként",
"incomingError": "Nem sikerült kezelni a bejövő üzenetet.", "incomingError": "Nem sikerült kezelni a bejövő üzenetet.",
"media": "Média", "media": "Média",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Nem sikerült betölteni a kiválasztott csatolmányt.", "unableToLoadAttachment": "Nem sikerült betölteni a kiválasztott csatolmányt.",
"offline": "Nincs csatlakozva", "offline": "Nincs csatlakozva",
"debugLog": "Fejlesztői napló", "debugLog": "Fejlesztői napló",
"showDebugLog": "Export Logs", "showDebugLog": "Naplók exportálása",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Hibanaplók exportálása és feltöltése a Session ügyfélszolgálatán keresztül.",
"goToReleaseNotes": "Release notes megnyitása", "goToReleaseNotes": "Release notes megnyitása",
"goToSupportPage": "Támogatás megnyitása", "goToSupportPage": "Támogatás megnyitása",
"about": "Névjegy", "about": "Névjegy",
@ -72,7 +72,7 @@
"noSearchResults": "Nincs találat a \"$searchTerm$\" keresőkifejezése", "noSearchResults": "Nincs találat a \"$searchTerm$\" keresőkifejezése",
"conversationsHeader": "Partnerek és csoportok", "conversationsHeader": "Partnerek és csoportok",
"contactsHeader": "Névjegyek", "contactsHeader": "Névjegyek",
"messagesHeader": "Üzenetek", "messagesHeader": "Conversations",
"settingsHeader": "Beállítások", "settingsHeader": "Beállítások",
"typingAlt": "Gépelési animáció ehhez a beszélgetéshez", "typingAlt": "Gépelési animáció ehhez a beszélgetéshez",
"contactAvatarAlt": "$name$ profilképe", "contactAvatarAlt": "$name$ profilképe",
@ -100,36 +100,38 @@
"deleteMessagesQuestion": "Biztos törölni szerente $count$ üzenetet?", "deleteMessagesQuestion": "Biztos törölni szerente $count$ üzenetet?",
"deleteMessageQuestion": "Törli ezt az üzenetet?", "deleteMessageQuestion": "Törli ezt az üzenetet?",
"deleteMessages": "Üzenetek törlése", "deleteMessages": "Üzenetek törlése",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"deleted": "$count$ törölve",
"messageDeletedPlaceholder": "Az üzenete törölve", "messageDeletedPlaceholder": "Az üzenete törölve",
"from": "Feladó", "from": "Feladó",
"to": "címzett", "to": "címzett",
"sent": "Elküldve", "sent": "Elküldve",
"received": "Beérkezett", "received": "Beérkezett",
"sendMessage": "Küldj egy üzenetet", "sendMessage": "Küldj egy üzenetet",
"groupMembers": "Csoport tagjai", "groupMembers": "Tagok",
"moreInformation": "További információ", "moreInformation": "További információ",
"resend": "Újraküldés", "resend": "Újraküldés",
"deleteConversationConfirmation": "Véglegesen törlöd ezt a beszélgetést?", "deleteConversationConfirmation": "Véglegesen törlöd ezt a beszélgetést?",
"clear": "Clear", "clear": "Törlés",
"clearAllData": "Az összes adat törlése", "clearAllData": "Az összes adat törlése",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Ez végleg törölni fogja üzeneteit, beszélgetéseit és ismerőseit.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Biztosan törölni szeretné ezt a beszélgetést?", "deleteContactConfirmation": "Biztosan törölni szeretné ezt a beszélgetést?",
"quoteThumbnailAlt": "Az idézett üzenetben megjelenített fotó előnézeti képe", "quoteThumbnailAlt": "Az idézett üzenetben megjelenített fotó előnézeti képe",
"imageAttachmentAlt": "Üzenethez csatolt kép", "imageAttachmentAlt": "Üzenethez csatolt kép",
"videoAttachmentAlt": "Az üzenethez csatolt videó előnézeti képe", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Beszélgetés során küldött fotó", "lightboxImageAlt": "Beszélgetés során küldött fotó",
"imageCaptionIconAlt": "Ikon, amely azt jelzi, hogy a kép feliratot tartalmaz", "imageCaptionIconAlt": "Ikon, amely azt jelzi, hogy a kép feliratot tartalmaz",
"addACaption": "Felirat hozzáadása...", "addACaption": "Felirat hozzáadása...",
"copySessionID": "Az ön Session azonosítójának kimásolása", "copySessionID": "Az ön Session azonosítójának kimásolása",
"copyOpenGroupURL": "Csoport URL-jének másolása", "copyOpenGroupURL": "Copy Group URL",
"save": "Mentés", "save": "Mentés",
"saveLogToDesktop": "Napló mentése asztalra", "saveLogToDesktop": "Napló mentése asztalra",
"saved": "Elmentve", "saved": "Elmentve",
"tookAScreenshot": "$name$ készített egy képernyőképet", "tookAScreenshot": "$name$ készített egy képernyőképet",
"savedTheFile": "$name$ lementett egy médiaelemet", "savedTheFile": "$name$ lementett egy médiaelemet",
"linkPreviewsTitle": "Hivatkozások előnézeti képének küldése", "linkPreviewsTitle": "Hivatkozások előnézeti képének küldése",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -141,31 +143,31 @@
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.",
"typingIndicatorsSettingTitle": "Gépelésindikátorok", "typingIndicatorsSettingTitle": "Gépelésindikátorok",
"zoomFactorSettingTitle": "Nagyítás mértéke", "zoomFactorSettingTitle": "Nagyítás mértéke",
"themesSettingTitle": "Themes", "themesSettingTitle": "Témák",
"primaryColor": "Primary Color", "primaryColor": "Elsődleges szín",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Elsődleges szín zöld",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Elsődleges szín kék",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Elsődleges szín sárga",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Elsődleges szín rózsaszín",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Elsődleges szín lila",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Elsődleges szín narancssárga",
"primaryColorRed": "Primary color red", "primaryColorRed": "Elsődleges szín piros",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klasszikus Sötét",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klasszikus Világos",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Sötét Óceán",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Világos Óceán",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Közösségek Csonkítása",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "6 hónapnál idősebb közösségi üzenetek törlése ahol több mint 2000 üzenet van.",
"enable": "Enable", "enable": "Engedélyezés",
"keepDisabled": "Keep disabled", "keepDisabled": "Maradjon letiltva",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Az értesítésekben megjelenő információ.",
"nameAndMessage": "Feladó neve és az üzenet", "nameAndMessage": "Név és Tartalom",
"noNameOrMessage": "Se név, se üzenet", "noNameOrMessage": "Se név, se üzenet",
"nameOnly": "Csak a feladó neve", "nameOnly": "Csak a feladó neve",
"newMessage": "Új üzenet", "newMessage": "Új üzenet",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Create a conversation with a new contact",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Create a group with existing contacts",
"joinACommunity": "Join a community", "joinACommunity": "Csatlakozás egy közösséghez",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Choose an action to start a conversation",
"newMessages": "Új üzenetek", "newMessages": "Új üzenetek",
"notificationMostRecentFrom": "Legfrissebb tőle:", "notificationMostRecentFrom": "Legfrissebb tőle:",
@ -174,7 +176,7 @@
"sendFailed": "Küldés sikertelen", "sendFailed": "Küldés sikertelen",
"mediaMessage": "Médiaüzenet", "mediaMessage": "Médiaüzenet",
"messageBodyMissing": "Kérlek írd be az üzenetet.", "messageBodyMissing": "Kérlek írd be az üzenetet.",
"messageBody": "Message body", "messageBody": "Üzenet szövege",
"unblockToSend": "Üzenet küldéséhez oldd fel ismerősöd blokkolását!", "unblockToSend": "Üzenet küldéséhez oldd fel ismerősöd blokkolását!",
"unblockGroupToSend": "Üzenet küldéséhez oldd fel a csoportot a blokk alól!", "unblockGroupToSend": "Üzenet küldéséhez oldd fel a csoportot a blokk alól!",
"youChangedTheTimer": "Az időzítő értékét a következőre módosítottad: $time$.", "youChangedTheTimer": "Az időzítő értékét a következőre módosítottad: $time$.",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 óra", "timerOption_12_hours": "12 óra",
"timerOption_1_day": "1 nap", "timerOption_1_day": "1 nap",
"timerOption_1_week": "1 hét", "timerOption_1_week": "1 hét",
"timerOption_2_weeks": "két hét",
"disappearingMessages": "Eltűnő üzenetek", "disappearingMessages": "Eltűnő üzenetek",
"changeNickname": "Becenév módosítása", "changeNickname": "Becenév módosítása",
"clearNickname": "Becenév törlése", "clearNickname": "Becenév törlése",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12ó", "timerOption_12_hours_abbreviated": "12ó",
"timerOption_1_day_abbreviated": "1n", "timerOption_1_day_abbreviated": "1n",
"timerOption_1_week_abbreviated": "1h", "timerOption_1_week_abbreviated": "1h",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Eltűnő üzenetek letiltva", "disappearingMessagesDisabled": "Eltűnő üzenetek letiltva",
"disabledDisappearingMessages": "$name$ letiltotta az eltűnő üzeneteket", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Letiltottad az eltűnő üzeneteket", "youDisabledDisappearingMessages": "Letiltottad az eltűnő üzeneteket",
"timerSetTo": "Időzítő állapota: $time$", "timerSetTo": "Időzítő állapota: $time$",
"noteToSelf": "Privát feljegyzés", "noteToSelf": "Privát feljegyzés",
"hideMenuBarTitle": "Menüsor elrejtése", "hideMenuBarTitle": "Menüsor elrejtése",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Új beszélgetés megkezdése…", "startConversation": "Új beszélgetés megkezdése…",
"invalidNumberError": "Érvénytelen telefonszám", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Automatikus frissítés", "autoUpdateSettingTitle": "Automatikus frissítés",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ belépett a csoportba.", "multipleJoinedTheGroup": "$names$ belépett a csoportba.",
"kickedFromTheGroup": "$name$ eltávolításra került a csoportból.", "kickedFromTheGroup": "$name$ eltávolításra került a csoportból.",
"multipleKickedFromTheGroup": "$name$ eltávolításra került a csoportból.", "multipleKickedFromTheGroup": "$name$ eltávolításra került a csoportból.",
"blockUser": "Letiltás", "block": "Block",
"unblockUser": "Blokkolás feloldása", "unblock": "Unblock",
"unblocked": "Blokkolás feloldva", "unblocked": "Blokkolás feloldva",
"blocked": "Blokkolt", "blocked": "Blokkolt",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "$name$ frissítése...", "updateGroupDialogTitle": "$name$ frissítése...",
"showRecoveryPhrase": "Helyreállítási kód", "showRecoveryPhrase": "Helyreállítási kód",
"yourSessionID": "A Session azonosítód", "yourSessionID": "A Session azonosítód",
"setAccountPasswordTitle": "Fiók jelszó beállítása", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Fiók jelszavának megváltoztatása", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Fiók jelszavának eltávolítása", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Kérlek add meg a jelszavad", "enterPassword": "Kérlek add meg a jelszavad",
"confirmPassword": "Jelszó megerősítése", "confirmPassword": "Jelszó megerősítése",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Kérlek add meg a jelszavad", "showRecoveryPhrasePasswordRequest": "Kérlek add meg a jelszavad",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Érvénytelen URL", "invalidOpenGroupUrl": "Érvénytelen URL",
"copiedToClipboard": "Vágólapra másolva", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Jelszó", "password": "Jelszó",
"setPassword": "Jelszó beállítása", "setPassword": "Jelszó beállítása",
@ -295,12 +299,12 @@
"setPasswordInvalid": "A megadott jelszavak nem egyeznek", "setPasswordInvalid": "A megadott jelszavak nem egyeznek",
"changePasswordInvalid": "A megadott régi jelszó helytelen", "changePasswordInvalid": "A megadott régi jelszó helytelen",
"removePasswordInvalid": "Hibás jelszó", "removePasswordInvalid": "Hibás jelszó",
"setPasswordTitle": "Jelszó beállítása", "setPasswordTitle": "Password Set",
"changePasswordTitle": "A jelszó módosult", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "A jelszó eltávolításra került", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "A jelszó megváltozott. Tartsd biztonságos helyen!", "setPasswordToastDescription": "A jelszó megváltozott. Tartsd biztonságos helyen!",
"changePasswordToastDescription": "A jelszó megváltozott. Tartsd biztonságos helyen!", "changePasswordToastDescription": "A jelszó megváltozott. Tartsd biztonságos helyen!",
"removePasswordToastDescription": "Eltávolítottad a jelszavadat.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Csatlakozás...", "connectingToServer": "Csatlakozás...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Megjelenés", "appearanceSettingsTitle": "Megjelenés",
"privacySettingsTitle": "Adatvédelem", "privacySettingsTitle": "Adatvédelem",
"notificationsSettingsTitle": "Értesítések", "notificationsSettingsTitle": "Értesítések",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Írd be a helyreállítási szavakat", "recoveryPhraseEmpty": "Írd be a helyreállítási szavakat",
"displayNameEmpty": "Add meg a megjelenítendő nevedet", "displayNameEmpty": "Add meg a megjelenítendő nevedet",
"displayNameTooLong": "Display name is too long",
"members": "$count$ tag", "members": "$count$ tag",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Nincsenek titltott kontaktok", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Vagy csatlakozz az egyikhez az alábbiakból...", "orJoinOneOfThese": "Vagy csatlakozz az egyikhez az alábbiakból...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Biztosan le szeretnéd tölteni a(z) $name$ által küldött tartalmat?", "trustThisContactDialogDescription": "Biztosan le szeretnéd tölteni a(z) $name$ által küldött tartalmat?",
"pinConversation": "Beszélgetés feltűzése", "pinConversation": "Beszélgetés feltűzése",
"unpinConversation": "Feltűzött beszélgetés eltávolítása", "unpinConversation": "Feltűzött beszélgetés eltávolítása",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Helyreállító kódmondat küldése", "sendRecoveryPhraseTitle": "Helyreállító kódmondat küldése",
"sendRecoveryPhraseMessage": "A helyreállító kódmondatod készülsz elküldeni, amellyel hozzá lehet férni fiókodhoz. Biztosan el akarod küldeni?", "sendRecoveryPhraseMessage": "A helyreállító kódmondatod készülsz elküldeni, amellyel hozzá lehet férni fiókodhoz. Biztosan el akarod küldeni?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Biztosan törlöd az adatokat csak erről az eszközről?", "dialogClearAllDataDeletionFailedTitleQuestion": "Biztosan törlöd az adatokat csak erről az eszközről?",
"dialogClearAllDataDeletionFailedMultiple": "Az adatokat a következő szolgáltatási csomópontok nem törölték: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Az adatokat a következő szolgáltatási csomópontok nem törölték: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Nem fogadott hívás '$name$' -től, mert előbb engedélyezned kell a 'Hang és videó hívásokat' a Biztonsági beállításokban.", "callMissedCausePermission": "Nem fogadott hívás '$name$' -től, mert előbb engedélyezned kell a 'Hang és videó hívásokat' a Biztonsági beállításokban.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Felhívtad $name$", "startedACall": "Felhívtad $name$",
"answeredACall": "Hívás $name$ -al", "answeredACall": "Hívás $name$ -al",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -1,492 +1,508 @@
{ {
"copyErrorAndQuit": "Copy error and quit", "copyErrorAndQuit": "Պատճենել սխալը և դուրս գալ",
"unknown": "Unknown", "unknown": "Անհայտ",
"databaseError": "Database Error", "databaseError": "Տվյալների բազայի սխալ",
"mainMenuFile": "&File", "mainMenuFile": "&Ֆայլ",
"mainMenuEdit": "&Edit", "mainMenuEdit": "&Խմբագրում",
"mainMenuView": "&View", "mainMenuView": "&Դիտում",
"mainMenuWindow": "&Window", "mainMenuWindow": "&Պատուհան",
"mainMenuHelp": "&Help", "mainMenuHelp": "&Օգնություն",
"appMenuHide": "Hide", "appMenuHide": "Թաքցնել",
"appMenuHideOthers": "Hide Others", "appMenuHideOthers": "Թաքցնել մյուսները",
"appMenuUnhide": "Show All", "appMenuUnhide": "Ցուցադրել բոլորը",
"appMenuQuit": "Quit Session", "appMenuQuit": "Դուրս գալ Session-ից",
"editMenuUndo": "Undo", "editMenuUndo": "Չեղարկել",
"editMenuRedo": "Redo", "editMenuRedo": "Կրկնել",
"editMenuCut": "Cut", "editMenuCut": "Կտրել",
"editMenuCopy": "Copy", "editMenuCopy": "Պատճենել",
"editMenuPaste": "Paste", "editMenuPaste": "Տեղադրել",
"editMenuDeleteContact": "Delete Contact", "editMenuDeleteContact": "Ջնջել կոնտակտը",
"editMenuDeleteGroup": "Delete Group", "editMenuDeleteGroup": "Ջնջել խումբը",
"editMenuSelectAll": "Select all", "editMenuSelectAll": "Ընտրել բոլորը",
"windowMenuClose": "Close Window", "windowMenuClose": "Փակել պատուհանը",
"windowMenuMinimize": "Minimize", "windowMenuMinimize": "Փոքրացնել",
"windowMenuZoom": "Zoom", "windowMenuZoom": "Խոշորացում",
"viewMenuResetZoom": "Actual Size", "viewMenuResetZoom": "Իրական չափս",
"viewMenuZoomIn": "Zoom In", "viewMenuZoomIn": "Խոշորացնել",
"viewMenuZoomOut": "Zoom Out", "viewMenuZoomOut": "Մանրացնել",
"viewMenuToggleFullScreen": "Toggle Full Screen", "viewMenuToggleFullScreen": "Միացնել ամբողջ էկրանը",
"viewMenuToggleDevTools": "Toggle Developer Tools", "viewMenuToggleDevTools": "Միացնել ծրագրավորողի գործիքները",
"contextMenuNoSuggestions": "No Suggestions", "contextMenuNoSuggestions": "Առաջարկներ չկան",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Համայնքի հրավեր",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Միանա՞լ $roomName$֊ին։",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Համոզվա՞ծ եք, որ ուզում եք միանալ $roomName$ համայնքին։",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Գրեք Session ID-ն կամ ONS անունը",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Սկսեք նոր խոսակցություն՝ մուտքագրելով ինչ-որ մեկի Session ID-ն կամ կիսվեք ձեր Session ID-ով նրանց հետ:",
"loading": "Loading...", "loading": "Բեռնվում է...",
"done": "Done", "done": "Վերջ",
"youLeftTheGroup": "You have left the group.", "youLeftTheGroup": "Դուք լքել եք խումբը։",
"youGotKickedFromGroup": "You were removed from the group.", "youGotKickedFromGroup": "Դուք հեռացվել եք խմբից:",
"unreadMessages": "Unread Messages", "unreadMessages": "Չընթերցված հաղորդագրություն",
"debugLogExplanation": "This log will be saved to your desktop.", "debugLogExplanation": "Այս գրանցամատյանը կպահվի ձեր աշխատասեղանին:",
"reportIssue": "Report a Bug", "reportIssue": "Հաղորդել սխալի մասին",
"markAllAsRead": "Mark All as Read", "markAllAsRead": "Նշել բոլորը, որպես տեսնված",
"incomingError": "Error handling incoming message", "incomingError": "Մշակվում է մուտքային հաղորդագրության սխալը",
"media": "Media", "media": "Մեդիա",
"mediaEmptyState": "No media", "mediaEmptyState": "Մեդիաֆայլեր չկան",
"documents": "Documents", "documents": "Փաստաթղթեր",
"documentsEmptyState": "No documents", "documentsEmptyState": "Փաստաթղթեր չկան",
"today": "Today", "today": "Այսօր",
"yesterday": "Yesterday", "yesterday": "Երեկ",
"thisWeek": "This week", "thisWeek": "Այս շաբաթ",
"thisMonth": "This Month", "thisMonth": "Այս ամիս",
"voiceMessage": "Voice Message", "voiceMessage": "Ձայնային հաղորդագրություն",
"stagedPreviewThumbnail": "Draft thumbnail link preview for $domain$", "stagedPreviewThumbnail": "$domain$ հղման նախադիտման մանրապատկերի նախագիծ",
"previewThumbnail": "Thumbnail link preview for $domain$", "previewThumbnail": "$domain$ հղման նախադիտման մանրապատկեր",
"stagedImageAttachment": "Draft image attachment: $path$", "stagedImageAttachment": "Նկարի նախագծի կցորդ՝ $path$",
"oneNonImageAtATimeToast": "Sorry, there is a limit of one non-image attachment per message", "oneNonImageAtATimeToast": "Ներողություն, յուրաքանչյուր հաղորդագրության համար կա մեկ ոչ պատկերային կցորդի սահմանափակում",
"cannotMixImageAndNonImageAttachments": "Sorry, you cannot mix images with other file types in one message", "cannotMixImageAndNonImageAttachments": "Ներեցեք, դուք չեք կարող պատկերները խառնել այլ ֆայլերի տեսակների հետ մեկ հաղորդագրության մեջ",
"maximumAttachments": "Maximum number of attachments reached. Please send remaining attachments in a separate message.", "maximumAttachments": "Հավելվածների առավելագույն քանակը չափազանցվել է։ Խնդրում ենք մնացած կցորդներն ուղարկել առանձին հաղորդագրությամբ։",
"fileSizeWarning": "Attachment exceeds size limits for the type of message you're sending.", "fileSizeWarning": "Կցորդը գերազանցում է ձեր ուղարկած հաղորդագրության տեսակի սահմանաչափը:",
"unableToLoadAttachment": "Sorry, there was an error setting your attachment.", "unableToLoadAttachment": "Ներողություն, չհաջողվեց կցել Ձեր ընտրած կցորդը։",
"offline": "Offline", "offline": "Ցանցից դուրս",
"debugLog": "Debug Log", "debugLog": "Վրիպազերծման մատյան",
"showDebugLog": "Export Logs", "showDebugLog": "Արտահանել տեղեկամատյանները",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Արտահանեք ձեր տեղեկամատյանները, այնուհետև վերբեռնեք ֆայլը Sessions Help Desk-ի միջոցով:",
"goToReleaseNotes": "Go to Release Notes", "goToReleaseNotes": "Կարդացեք թողարկման նշումները",
"goToSupportPage": "Go to Support Page", "goToSupportPage": "Բացեք աջակցության էջը",
"about": "About", "about": "Մեր մասին",
"show": "Show", "show": "Ցուցադրել",
"sessionMessenger": "Session", "sessionMessenger": "Session",
"noSearchResults": "No results found for \"$searchTerm$\"", "noSearchResults": "Արդյունք չգտնվեց «$searchTerm$»-ի համար։",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Կոնտակտներ և խմբեր",
"contactsHeader": "Contacts", "contactsHeader": "Կոնտակտներ",
"messagesHeader": "Messages", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Կարգավորումներ",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Մուտքագրման անիմացիա այս զրույցի համար",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Անձնանշան $name$ կոնտակտի համար",
"downloadAttachment": "Download Attachment", "downloadAttachment": "Ներբեռնել կցորդը",
"replyToMessage": "Reply to message", "replyToMessage": "Պատասխանել հաղորդագրությանը",
"replyingToMessage": "Replying to:", "replyingToMessage": "Ի պատասխան․",
"originalMessageNotFound": "Original message not found", "originalMessageNotFound": "Մեջբերված հաղորդագրությունը չի գտնվել",
"you": "You", "you": "Դուք",
"audioPermissionNeededTitle": "Microphone Access Required", "audioPermissionNeededTitle": "Պահանջվում է խոսափողի թույլատվություն",
"audioPermissionNeeded": "You can enable microphone access under: Settings (Gear icon) => Privacy", "audioPermissionNeeded": "Դուք կարող եք միացնել խոսափողի թույլատվությունը հետևյալ հասցեյով ՝ Կարգավորումներ (փոխանցման պատկերակ) => Գաղտնիություն",
"audio": "Audio", "audio": "Ձայնագրություն",
"video": "Video", "video": "Տեսանյութ",
"photo": "Photo", "photo": "Նկար",
"cannotUpdate": "Cannot Update", "cannotUpdate": "Հնարավոր չէ թարմացնել",
"cannotUpdateDetail": "Session Desktop failed to update, but there is a new version available. Please go to https://getsession.org/ and install the new version manually, then either contact support or file a bug about this problem.", "cannotUpdateDetail": "Session Desktop-ը չհաջողվեց թարմացնել, բայց կա նոր տարբերակ: Խնդրում ենք այցելեք https://getsession.org/ և ինքնուրույն տեղադրեք նոր տարբերակը, այնուհետև կամ կապվեք աջակցման ծառայության հետ կամ այս խնդրի վերաբերյալ վրիպակ ներկայացրեք:",
"ok": "OK", "ok": "Լավ",
"cancel": "Cancel", "cancel": "Չեղարկել",
"close": "Close", "close": "Փակել",
"continue": "Continue", "continue": "Շարունակել",
"error": "Error", "error": "Սխալ",
"delete": "Delete", "delete": "Ջնջել",
"messageDeletionForbidden": "You dont have permission to delete others messages", "messageDeletionForbidden": "Դուք ուրիշների հաղորդագրությունները ջնջելու թույլտվություն չունեք",
"deleteJustForMe": "Delete just for me", "deleteJustForMe": "Ջնջել միայն իմ համար",
"deleteForEveryone": "Delete for everyone", "deleteForEveryone": "Ջնջել բոլորի համար",
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Ջնջե՞լ $count$ հաղորդագրություն:",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Ջնջե՞լ այս հաղորդագրությունը:",
"deleteMessages": "Delete Messages", "deleteMessages": "Ջնջել հաղորդագրությունները",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"messageDeletedPlaceholder": "This message has been deleted", "deleted": "$count$ ջնջված է",
"from": "From:", "messageDeletedPlaceholder": "Այս հաղորդագրությունը ջնջվել է",
"to": "To:", "from": "Ուղարկող:",
"sent": "Sent", "to": "Ստացող:",
"received": "Received", "sent": "Ուղարկված է",
"sendMessage": "Message", "received": "Ստացված է",
"groupMembers": "Group members", "sendMessage": "Հաղորդագրություն",
"moreInformation": "More information", "groupMembers": "Անդամներ",
"resend": "Resend", "moreInformation": "Լրացուցիչ տեղեկություններ",
"deleteConversationConfirmation": "Permanently delete the messages in this conversation?", "resend": "Կրկին ուղարկել",
"clear": "Clear", "deleteConversationConfirmation": "Ընդմիշտ ջնջե՞լ այս խոսակցության հաղորդագրությունները:",
"clearAllData": "Clear All Data", "clear": "Ջնջել",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "clearAllData": "Ջնջել բոլոր տվյալները",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteAccountWarning": "Սա ընդմիշտ կջնջի ձեր հաղորդագրությունները և կոնտակտները:",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "deleteAccountFromLogin": "Իսկապե՞ս ուզում եք ջնջել ձեր սարքի տվյալները:",
"imageAttachmentAlt": "Image attached to message", "deleteContactConfirmation": "Վստա՞հ եք, որ ուզում եք ջնջել այս խոսակցությունը:",
"videoAttachmentAlt": "Screenshot of video attached to message", "quoteThumbnailAlt": "Պատկերի մանրապատկերը մեջբերված հաղորդագրությունից",
"lightboxImageAlt": "Image sent in conversation", "imageAttachmentAlt": "Պատկեր՝ կցված հաղորդագրությանը",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "videoAttachmentAlt": "Տեսանյութի սքրինշոթը հաղորդագրության մեջ",
"addACaption": "Add a caption...", "lightboxImageAlt": "Նկար՝ ուղարկված զրույում",
"copySessionID": "Copy Session ID", "imageCaptionIconAlt": "Պատկերակ՝ ցուցադրող, որ այս պատկերն ունի մակագրություն",
"copyOpenGroupURL": "Copy Group's URL", "addACaption": "Ավելացնել վերնագիր...",
"save": "Save", "copySessionID": "Պատճենել Session ID֊ն",
"saveLogToDesktop": "Save log to desktop", "copyOpenGroupURL": "Բաց Խմբի URL հասցե",
"saved": "Saved", "save": "Պահպանել",
"tookAScreenshot": "$name$ took a screenshot", "saveLogToDesktop": "Պահել գրանցամատյանը աշխատասեղանին",
"savedTheFile": "Media saved by $name$", "saved": "Պահպանված է",
"linkPreviewsTitle": "Send Link Previews", "tookAScreenshot": "$name$֊ը նկարել է էկրանը",
"linkPreviewDescription": "Show link previews for supported URLs.", "savedTheFile": "$name$ պահպանել է մեդիա ֆայլը:",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsTitle": "Ուղարկել հղման նախադիտումներ",
"mediaPermissionsTitle": "Microphone", "linkPreviewDescription": "Ստեղծեք հղման նախադիտումներ աջակցվող URL-ների համար:",
"mediaPermissionsDescription": "Allow access to microphone.", "linkPreviewsConfirmMessage": "Հղումների նախադիտում ուղարկելիս դուք չեք ունենա մետատվյալների ամբողջական պաշտպանություն:",
"spellCheckTitle": "Spell Check", "mediaPermissionsTitle": "Խոսափող",
"spellCheckDescription": "Enable spell check when typing messages.", "mediaPermissionsDescription": "Թույլատրել խոսափողի մուտքը:",
"spellCheckDirty": "You must restart Session to apply your new settings", "spellCheckTitle": "Ուղղագրության ստուգում",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "spellCheckDescription": "Միացնել ուղղագրության ստուգումը հաղորդագրություններ մուտքագրելիս:",
"readReceiptSettingTitle": "Read Receipts", "spellCheckDirty": "Ձեր նոր կարգավորումները կիրառելու համար դուք պետք է վերագործարկեք Session-ը",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "readReceiptSettingDescription": "Ուղարկեք ընթերցման անդորրագրերը մեկ առ մեկ զրույցներում:",
"typingIndicatorsSettingTitle": "Typing Indicators", "readReceiptSettingTitle": "Ընթերցման անդորրագրեր",
"zoomFactorSettingTitle": "Zoom Factor", "typingIndicatorsSettingDescription": "Տեսեք և տարածեք մուտքագրման ցուցիչները մեկ առ մեկ զրույցներում:",
"themesSettingTitle": "Themes", "typingIndicatorsSettingTitle": "Մուտքագրման ցուցիչներ",
"primaryColor": "Primary Color", "zoomFactorSettingTitle": "Խոշորացման ֆակտոր",
"primaryColorGreen": "Primary color green", "themesSettingTitle": "Ոճեր",
"primaryColorBlue": "Primary color blue", "primaryColor": "Առաջնային գույն",
"primaryColorYellow": "Primary color yellow", "primaryColorGreen": "Առաջնային գույն կանաչ",
"primaryColorPink": "Primary color pink", "primaryColorBlue": "Առաջնային գույն կապույտ",
"primaryColorPurple": "Primary color purple", "primaryColorYellow": "Առաջնային գույն դեղին",
"primaryColorOrange": "Primary color orange", "primaryColorPink": "Առաջնային գույն վարդագույն",
"primaryColorRed": "Primary color red", "primaryColorPurple": "Առաջնային գույն մանուշակագույն",
"classicDarkThemeTitle": "Classic Dark", "primaryColorOrange": "Առաջնային գույն նարնջագույն",
"classicLightThemeTitle": "Classic Light", "primaryColorRed": "Առաջնային գույն կարմիր",
"oceanDarkThemeTitle": "Ocean Dark", "classicDarkThemeTitle": "Դասական մութ",
"oceanLightThemeTitle": "Ocean Light", "classicLightThemeTitle": "Դասական լույս",
"pruneSettingTitle": "Trim Communities", "oceanDarkThemeTitle": "Օվկիանոսի մութ",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "oceanLightThemeTitle": "Օվկիանոսի լույս",
"enable": "Enable", "pruneSettingTitle": "Կարճեցնել համայնքները",
"keepDisabled": "Keep disabled", "pruneSettingDescription": "Ջնջել 6 ամսից ավելի հին հաղորդագրությունները այն համայնքներից, որոնք ունեն ավելի քան 2000 հաղորդագրություն:",
"notificationSettingsDialog": "The information shown in notifications.", "enable": "Միացնել",
"nameAndMessage": "Name and content", "keepDisabled": "Անջատված պահել",
"noNameOrMessage": "No name or content", "notificationSettingsDialog": "Ծանուցումներում ցուցադրված տեղեկատվությունը:",
"nameOnly": "Name Only", "nameAndMessage": "Անուն և բովանդակություն",
"newMessage": "New Message", "noNameOrMessage": "Առանց անվան կամ բովանդակության",
"createConversationNewContact": "Create a conversation with a new contact", "nameOnly": "Միայն անունը",
"createConversationNewGroup": "Create a group with existing contacts", "newMessage": "Նոր հաղորդագրություն",
"joinACommunity": "Join a community", "createConversationNewContact": "Ստեղծեք զրույց նոր կոնտակտի հետ",
"chooseAnAction": "Choose an action to start a conversation", "createConversationNewGroup": "Ստեղծեք խումբ գոյություն ունեցող կոնտակտներով",
"newMessages": "New Messages", "joinACommunity": "Միացեք համայնքին",
"notificationMostRecentFrom": "Most recent from: $name$", "chooseAnAction": "Խոսակցություն սկսելու համար ընտրեք գործողություն",
"notificationFrom": "From:", "newMessages": "Նոր հաղորդագրություններ",
"notificationMostRecent": "Most recent:", "notificationMostRecentFrom": "Վերջինը $name$֊ից",
"sendFailed": "Send Failed", "notificationFrom": "Ուղարկող:",
"mediaMessage": "Media message", "notificationMostRecent": "Վերջինը:",
"messageBodyMissing": "Please enter a message body.", "sendFailed": "Ուղարկումը ձախողվեց",
"messageBody": "Message body", "mediaMessage": "Մեդիաով հաղորդագրություն",
"unblockToSend": "Unblock this contact to send a message.", "messageBodyMissing": "Խնդրում ենք մուտքագրել հաղորդագրությունը:",
"unblockGroupToSend": "This group is blocked. Unlock it if you would like to send a message.", "messageBody": "Հաղորդագրության տեքստ",
"youChangedTheTimer": "You set the disappearing message timer to $time$", "unblockToSend": "Արգելաբացել այս կոնտակտը հաղորդագրություն ուղարկելու համար:",
"timerSetOnSync": "Updated disappearing message timer to $time$", "unblockGroupToSend": "Այս խումբն արգելափակված է։ Արգելաբացեք այն, եթե ցանկանում եք հաղորդագրություն ուղարկել:",
"theyChangedTheTimer": "$name$ set the disappearing message timer to $time$", "youChangedTheTimer": "Դուք անհետացող հաղորդագրության ժամաչափը դրեցիք $time$",
"timerOption_0_seconds": "Off", "timerSetOnSync": "Հաղորդագրության անհետացման ժամանակը սահմանվել է $time$",
"timerOption_5_seconds": "5 seconds", "theyChangedTheTimer": "$name$֊ը անհետացող հաղորդագրության ժամաչափը դրեց $time$",
"timerOption_10_seconds": "10 seconds", "timerOption_0_seconds": "Անջատված",
"timerOption_30_seconds": "30 seconds", "timerOption_5_seconds": "5 վայրկյան",
"timerOption_1_minute": "1 minute", "timerOption_10_seconds": "10 վայրկյան",
"timerOption_5_minutes": "5 minutes", "timerOption_30_seconds": "30 վայրկյան",
"timerOption_30_minutes": "30 minutes", "timerOption_1_minute": "1 րոպե",
"timerOption_1_hour": "1 hour", "timerOption_5_minutes": "5 րոպե",
"timerOption_6_hours": "6 hours", "timerOption_30_minutes": "30 րոպե",
"timerOption_12_hours": "12 hours", "timerOption_1_hour": "1 ժամ",
"timerOption_1_day": "1 day", "timerOption_6_hours": "6 ժամ",
"timerOption_1_week": "1 week", "timerOption_12_hours": "12 ժամ",
"disappearingMessages": "Disappearing messages", "timerOption_1_day": "1 օր",
"changeNickname": "Change Nickname", "timerOption_1_week": "1 շաբաթ",
"clearNickname": "Clear Nickname", "timerOption_2_weeks": "2 շաբաթ",
"nicknamePlaceholder": "New Nickname", "disappearingMessages": "Անհետացող հաղորդագրություններ",
"changeNicknameMessage": "Enter a nickname for this user", "changeNickname": "Փոխել մականունը",
"timerOption_0_seconds_abbreviated": "off", "clearNickname": "Մաքրել մականունը",
"timerOption_5_seconds_abbreviated": "5s", "nicknamePlaceholder": "Նոր մականուն",
"timerOption_10_seconds_abbreviated": "10s", "changeNicknameMessage": "Մուտքագրեք այս օգտատիրոջ մականունը",
"timerOption_30_seconds_abbreviated": "30s", "timerOption_0_seconds_abbreviated": "անջատված",
"timerOption_1_minute_abbreviated": "1m", "timerOption_5_seconds_abbreviated": "5 վայրկյան",
"timerOption_5_minutes_abbreviated": "5m", "timerOption_10_seconds_abbreviated": "10 վայրկյան",
"timerOption_30_minutes_abbreviated": "30m", "timerOption_30_seconds_abbreviated": "30 վայրկյան",
"timerOption_1_hour_abbreviated": "1h", "timerOption_1_minute_abbreviated": "1 րոպե",
"timerOption_6_hours_abbreviated": "6h", "timerOption_5_minutes_abbreviated": "5 րոպե",
"timerOption_12_hours_abbreviated": "12h", "timerOption_30_minutes_abbreviated": "30 րոպե",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_hour_abbreviated": "1 ժամ",
"timerOption_1_week_abbreviated": "1w", "timerOption_6_hours_abbreviated": "6 ժամ",
"disappearingMessagesDisabled": "Disappearing messages disabled", "timerOption_12_hours_abbreviated": "12 ժամ",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "timerOption_1_day_abbreviated": "1 օր",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "timerOption_1_week_abbreviated": "1 շաբաթ",
"timerSetTo": "Disappearing message time set to $time$", "timerOption_2_weeks_abbreviated": "2 շաբաթ",
"noteToSelf": "Note to Self", "disappearingMessagesDisabled": "Անհետացող հաղորդագրություններն անջատված են",
"hideMenuBarTitle": "Hide Menu Bar", "disabledDisappearingMessages": "$name$ անջատել է անհետացող հաղորդագրությունները:",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "youDisabledDisappearingMessages": "Դուք անջատել եք անհետացող հաղորդագրությունները:",
"startConversation": "Start New Conversation", "timerSetTo": "Հաղորդագրության անհետացման ժամանակը սահմանվել է $time$",
"invalidNumberError": "Invalid Session ID or ONS Name", "noteToSelf": "Նշում ինքս ինձ",
"failedResolveOns": "Failed to resolve ONS name", "hideMenuBarTitle": "Թաքցնել ընտրացանկը",
"autoUpdateSettingTitle": "Auto Update", "hideMenuBarDescription": "Միացնել համակարգի ընտրացանկի տեսանելիությունը:",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "startConversation": "Սկսել նոր զրույց",
"autoUpdateNewVersionTitle": "Session update available", "invalidNumberError": "Խնդրում ենք ստուգել Session ID-ն կամ ONS անունը և նորից փորձել",
"autoUpdateNewVersionMessage": "There is a new version of Session available.", "failedResolveOns": "Չհաջողվեց պարզել ONS անունը",
"autoUpdateNewVersionInstructions": "Press Restart Session to apply the updates.", "autoUpdateSettingTitle": "Ավտոմատ թարմացում",
"autoUpdateRestartButtonLabel": "Restart Session", "autoUpdateSettingDescription": "Ինքնաբար ստուգել թարմացումները գործարկման ժամանակ:",
"autoUpdateLaterButtonLabel": "Later", "autoUpdateNewVersionTitle": "Session֊ի թարմացումը հասանելի է",
"autoUpdateDownloadButtonLabel": "Download", "autoUpdateNewVersionMessage": "Հասանելի է Session-ի նոր տարբերակը:",
"autoUpdateDownloadedMessage": "Update has been downloaded.", "autoUpdateNewVersionInstructions": "Թարմացումները կիրառելու համար սեղմեք Restart Session-ը:",
"autoUpdateDownloadInstructions": "Would you like to download the update?", "autoUpdateRestartButtonLabel": "Վերագործարկեք Session-ը",
"leftTheGroup": "$name$ has left the group.", "autoUpdateLaterButtonLabel": "Ավելի ուշ",
"multipleLeftTheGroup": "$name$ left the group", "autoUpdateDownloadButtonLabel": "Ներբեռնել",
"updatedTheGroup": "Group updated", "autoUpdateDownloadedMessage": "Թարմացումը ներբեռնվել է:",
"titleIsNow": "Group name is now '$name$'.", "autoUpdateDownloadInstructions": "Ցանկանու՞մ եք ներբեռնել թարմացումը:",
"joinedTheGroup": "$name$ joined the group.", "leftTheGroup": "$name$-ը լքել է խումբը:",
"multipleJoinedTheGroup": "$name$ joined the group.", "multipleLeftTheGroup": "$name$-ը լքել է խումբը:",
"kickedFromTheGroup": "$name$ was removed from the group.", "updatedTheGroup": "Խումբը թարմացվել է",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "titleIsNow": "Խմբի անունը այժմ «$name$» է:",
"blockUser": "Block", "joinedTheGroup": "$name$ միացավ խմբին:",
"unblockUser": "Unblock", "multipleJoinedTheGroup": "$name$ միացավ խմբին:",
"unblocked": "Unblocked", "kickedFromTheGroup": "$name$ հեռացվել է խմբից:",
"blocked": "Blocked", "multipleKickedFromTheGroup": "$name$ հեռացվել են խմբից:",
"blockedSettingsTitle": "Blocked Contacts", "block": "Block",
"conversationsSettingsTitle": "Conversations", "unblock": "Unblock",
"unbanUser": "Unban User", "unblocked": "Արգելաբացվել է",
"userUnbanned": "User unbanned successfully", "blocked": "Արգելափակվել է",
"userUnbanFailed": "Unban failed!", "blockedSettingsTitle": "Արգելափակված կոնտակտներ",
"banUser": "Ban User", "conversationsSettingsTitle": "Զրույցներ",
"banUserAndDeleteAll": "Ban and Delete All", "unbanUser": "Արգելահանել օգտատիրոջը",
"userBanned": "Banned successfully", "userUnbanned": "Օգտատերը հաջողությամբ արգելահանվեց",
"userBanFailed": "Ban failed!", "userUnbanFailed": "Արգելահանումը չհաջողվեց:",
"leaveGroup": "Leave Group", "banUser": "Արգելել օգտատիրոջը",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "banUserAndDeleteAll": "Արգելել և ջնջել ամբողջը",
"leaveGroupConfirmation": "Are you sure you want to leave this group?", "userBanned": "Հաջողությամբ արգելված է",
"leaveGroupConfirmationAdmin": "As you are the admin of this group, if you leave it it will be removed for every current members. Are you sure you want to leave this group?", "userBanFailed": "Արգելքը ձախողվեց:",
"cannotRemoveCreatorFromGroup": "Cannot remove this user", "leaveGroup": "Լքել խումբը",
"cannotRemoveCreatorFromGroupDesc": "You cannot remove this user as they are the creator of the group.", "leaveAndRemoveForEveryone": "Դուրս գալ խմբից և հեռացնել բոլորի համար",
"noContactsForGroup": "You don't have any contacts yet", "leaveGroupConfirmation": "Իսկապե՞ս ուզում եք լքել այս խումբը:",
"failedToAddAsModerator": "Failed to add user as admin", "leaveGroupConfirmationAdmin": "Քանի որ դուք այս խմբի ադմին եք, եթե այն լքեք, այն կհեռացվի բոլոր ներկա անդամների համար: Իսկապե՞ս ուզում եք լքել այս խումբը:",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "cannotRemoveCreatorFromGroup": "Հնարավոր չէ հեռացնել այս օգտատիրոջը",
"copyMessage": "Copy message text", "cannotRemoveCreatorFromGroupDesc": "Դուք չեք կարող հեռացնել այս օգտվողին, քանի որ նա խմբի ստեղծողն է:",
"selectMessage": "Select message", "noContactsForGroup": "Դուք դեռ որևէ կոնտակտ չունեք",
"editGroup": "Edit group", "failedToAddAsModerator": "Չհաջողվեց ավելացնել օգտվողին որպես ադմին",
"editGroupName": "Edit group name", "failedToRemoveFromModerator": "Չհաջողվեց հեռացնել օգտվողին ադմինների ցանկից",
"updateGroupDialogTitle": "Updating $name$...", "copyMessage": "Պատճենել հաղորդագրության տեքստը",
"showRecoveryPhrase": "Recovery Phrase", "selectMessage": "Ընտրել հաղորդագրությունը",
"yourSessionID": "Your Session ID", "editGroup": "Խմբագրել խումբը",
"setAccountPasswordTitle": "Set Account Password", "editGroupName": "Խմբագրել խմբի անունը",
"setAccountPasswordDescription": "Require password to unlock Session.", "updateGroupDialogTitle": "Թարմացվում է $name$...",
"changeAccountPasswordTitle": "Change Account Password", "showRecoveryPhrase": "Վերականգնման արտահայտություն",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "yourSessionID": "Ձեր Session ID֊ն",
"removeAccountPasswordTitle": "Remove Account Password", "setAccountPasswordTitle": "Գաղտնաբառ",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "setAccountPasswordDescription": "Պահանջվում է գաղտնաբառ՝ Session-ը ապակողպելու համար:",
"enterPassword": "Please enter your password", "changeAccountPasswordTitle": "Փոխել Գաղտնաբառը",
"confirmPassword": "Confirm password", "changeAccountPasswordDescription": "Փոխեք Session-ն ապակողպելու համար պահանջվող գաղտնաբառը:",
"enterNewPassword": "Please enter your new password", "removeAccountPasswordTitle": "Հեռացնել գաղտնաբառը",
"confirmNewPassword": "Confirm new password", "removeAccountPasswordDescription": "Փոխեք Session-ն ապակողպելու համար պահանջվող գաղտնաբառը:",
"showRecoveryPhrasePasswordRequest": "Please enter your password", "enterPassword": "Խնդրում ենք մուտքագրել ձեր գաղտնաբառը։",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "confirmPassword": "Հաստատել գաղտնաբառը",
"invalidOpenGroupUrl": "Invalid URL", "enterNewPassword": "Խնդրում ենք մուտքագրել ձեր նոր գաղտնաբառը",
"copiedToClipboard": "Copied to clipboard", "confirmNewPassword": "Հաստատեք նոր գաղտնաբառը",
"passwordViewTitle": "Enter Password", "showRecoveryPhrasePasswordRequest": "Խնդրում ենք մուտքագրել ձեր գաղտնաբառը։",
"password": "Password", "recoveryPhraseSavePromptMain": "Ձեր վերականգնման արտահայտությունը ձեր Session ID-ի հիմնական բանալին է. դուք կարող եք այն օգտագործել ձեր Session ID-ն վերականգնելու համար, եթե կորցնեք մուտքը ձեր սարք: Պահպանեք ձեր վերականգնման արտահայտությունը ապահով տեղում և մի տվեք այն որևէ մեկին:",
"setPassword": "Set Password", "invalidOpenGroupUrl": "Անվավեր URL",
"changePassword": "Change Password", "copiedToClipboard": "Պատճենվել է",
"createPassword": "Create your password", "passwordViewTitle": "Մուտքագրել գաղտնաբառը",
"removePassword": "Remove Password", "password": "Գաղտնաբառ",
"maxPasswordAttempts": "Invalid Password. Would you like to reset the database?", "setPassword": "Սահմանել գաղտնաբառը",
"typeInOldPassword": "Please enter your current password", "changePassword": "Փոխել գաղտնաբառը",
"invalidOldPassword": "Old password is invalid", "createPassword": "Ստեղծել գաղտնաբառ",
"invalidPassword": "Invalid password", "removePassword": "Հեռացնել գաղտնաբառը",
"noGivenPassword": "Please enter your password", "maxPasswordAttempts": "Անվավեր գաղտնաբառ: Ցանկանու՞մ եք վերականգնել տվյալների բազան:",
"passwordsDoNotMatch": "Passwords do not match", "typeInOldPassword": "Մուտքագրեք Ձեր ներկա գաղտնաբառը.",
"setPasswordInvalid": "Passwords do not match", "invalidOldPassword": "Հին գաղտնաբառը անվավեր է",
"changePasswordInvalid": "The old password you entered is incorrect", "invalidPassword": "Անվավեր գաղտնաբառ",
"removePasswordInvalid": "Incorrect password", "noGivenPassword": "Խնդրում ենք մուտքագրել ձեր գաղտնաբառը։",
"setPasswordTitle": "Set Password", "passwordsDoNotMatch": "Գաղտնաբառերը չեն համընկնում",
"changePasswordTitle": "Changed Password", "setPasswordInvalid": "Գաղտնաբառերը չեն համընկնում",
"removePasswordTitle": "Removed Password", "changePasswordInvalid": "Ձեր մուտքագրած հին գաղտնաբառը սխալ է",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "removePasswordInvalid": "Սխալ գաղտնաբառ",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "setPasswordTitle": "Գաղտնաբառը սահմանված է",
"removePasswordToastDescription": "You have removed your password.", "changePasswordTitle": "Գաղտնաբառը փոխվեց",
"publicChatExists": "You are already connected to this community", "removePasswordTitle": "Գաղտնաբառը հեռացվեց",
"connectToServerFail": "Couldn't join community", "setPasswordToastDescription": "Ձեր գաղտնաբառը սահմանվել է: Խնդրում ենք անվտանգ պահել:",
"connectingToServer": "Connecting...", "changePasswordToastDescription": "Ձեր գաղտնաբառը սահմանվել է: Խնդրում ենք անվտանգ պահել:",
"connectToServerSuccess": "Successfully connected to community", "removePasswordToastDescription": "Ձեր գաղտնաբառը հեռացվել է:",
"setPasswordFail": "Failed to set password", "publicChatExists": "Դուք արդեն կապված եք այս համայնքի հետ",
"passwordLengthError": "Password must be between 6 and 64 characters long", "connectToServerFail": "Չհաջողվեց միանալ համայնքին",
"passwordTypeError": "Password must be a string", "connectingToServer": "Միացում…",
"passwordCharacterError": "Password must only contain letters, numbers and symbols", "connectToServerSuccess": "Հաջողությամբ միացվեց համայնքին",
"remove": "Remove", "setPasswordFail": "Չհաջողվեց սահմանել գաղտնաբառը",
"invalidSessionId": "Invalid Session ID", "passwordLengthError": "Գաղտնաբառը պետք է լինի 6-ից 64 նիշ",
"invalidPubkeyFormat": "Invalid Pubkey Format", "passwordTypeError": "Գաղտնաբառը պետք է լինի տող",
"emptyGroupNameError": "Please enter a group name", "passwordCharacterError": "Գաղտնաբառը պետք է պարունակի միայն տառեր, թվեր և նշաններ",
"editProfileModalTitle": "Profile", "remove": "Ջնջել",
"groupNamePlaceholder": "Group Name", "invalidSessionId": "Անվավեր Session ID",
"inviteContacts": "Invite Contacts", "invalidPubkeyFormat": "Pubkey-ի անվավեր ձևաչափ",
"addModerators": "Add Admins", "emptyGroupNameError": "Խնդրում ենք մուտքագրել խմբի անունը",
"removeModerators": "Remove Admins", "editProfileModalTitle": "Հաշիվ",
"addAsModerator": "Add as Admin", "groupNamePlaceholder": "Խմբի անուն",
"removeFromModerators": "Remove From Admins", "inviteContacts": "Հրավիրել կոնտակներին",
"add": "Add", "addModerators": "Ավելացնել ադմիններ",
"addingContacts": "Adding contacts to $name$", "removeModerators": "Հեռացնել ադմիններին",
"noContactsToAdd": "No contacts to add", "addAsModerator": "Ավելացնել որպես ադմին",
"noMembersInThisGroup": "No other members in this group", "removeFromModerators": "Հեռացնել ադմիններից",
"noModeratorsToRemove": "no admins to remove", "add": "Ավելացնել",
"onlyAdminCanRemoveMembers": "You are not the creator", "addingContacts": "Կոնտակտների ավելացում $name$-ում",
"onlyAdminCanRemoveMembersDesc": "Only the creator of the group can remove users", "noContactsToAdd": "Ավելացնելու կոնտակտներ չկան",
"createAccount": "Create account", "noMembersInThisGroup": "Այս խմբում այլ անդամներ չկան",
"startInTrayTitle": "Keep in System Tray", "noModeratorsToRemove": "ադմիններ չկան հեռացնելու համար",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "onlyAdminCanRemoveMembers": "Դուք չեք ստեղծողը",
"yourUniqueSessionID": "Say hello to your Session ID", "onlyAdminCanRemoveMembersDesc": "Միայն խմբի ստեղծողը կարող է հեռացնել օգտատերերին",
"allUsersAreRandomly...": "Your Session ID is the unique address people can use to contact you on Session. With no connection to your real identity, your Session ID is totally anonymous and private by design.", "createAccount": "Գրանցվել",
"getStarted": "Get started", "startInTrayTitle": "Պահել System Tray-ում",
"createSessionID": "Create Session ID", "startInTrayDescription": "Պատուհանը փակելիս Session-ը գործարկեք ֆոնային ռեժիմում:",
"recoveryPhrase": "Recovery Phrase", "yourUniqueSessionID": "Ողջունեք ձեր Session ID-ին",
"enterRecoveryPhrase": "Enter your recovery phrase", "allUsersAreRandomly...": "Ձեր Session ID-ն այն եզակի հասցեն է, որը մարդիկ կարող են օգտագործել Session-ում ձեզ հետ կապվելու համար: Առանց ձեր իրական ինքնության հետ կապի, ձեր Session ID-ն բացարձակապես անանուն է և գաղտնի:",
"displayName": "Display Name", "getStarted": "Սկսել",
"anonymous": "Anonymous", "createSessionID": "Ստեղծել Session ID",
"removeResidueMembers": "Clicking ok will also remove those members as they left the group.", "recoveryPhrase": "Վերականգնման արտահայտություն",
"enterDisplayName": "Enter a display name", "enterRecoveryPhrase": "Գրեք ձեր վերականգնման արտահայտությունը",
"continueYourSession": "Continue Your Session", "displayName": "Ցուցադրվող անուն",
"linkDevice": "Link Device", "anonymous": "Անանուն",
"restoreUsingRecoveryPhrase": "Restore your account", "removeResidueMembers": "Լավ սեղմելով՝ այդ անդամները նույնպես կհեռացվեն խմբից դուրս գալուց:",
"or": "or", "enterDisplayName": "Մուտքագրեք ցուցադրվող անուն",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "continueYourSession": "Շարունակեք ձեր Session֊ի նիստը",
"beginYourSession": "Begin your Session.", "linkDevice": "Ավելացնել սարք",
"welcomeToYourSession": "Welcome to your Session", "restoreUsingRecoveryPhrase": "Վերականգնել ձեր հաշիվը",
"searchFor...": "Search conversations and contacts", "or": "կամ",
"searchForContactsOnly": "Search for contacts", "ByUsingThisService...": "Օգտագործելով այս ծառայությունը՝ դուք համաձայնում եք մեր <a href=\"https://getsession.org/terms-of-service \"> Ծառայությունների մատուցման պայմաններին </a> և <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\"> Գաղտնիության քաղաքականությանը </a>",
"enterSessionID": "Enter Session ID", "beginYourSession": "Սկսեք ձեր Session-ի նստաշրջանը։",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "welcomeToYourSession": "Բարի գալուստ Ձեր Session-ի նստաշրջան",
"message": "Message", "searchFor...": "Որոնեք խոսակցություններ և կոնտակտներ",
"appearanceSettingsTitle": "Appearance", "searchForContactsOnly": "Որոնել կոնտակտներ",
"privacySettingsTitle": "Privacy", "enterSessionID": "Մուտքագրեք Session ID-ն",
"notificationsSettingsTitle": "Notifications", "enterSessionIDOfRecipient": "Մուտքագրեք ձեր կոնտակտի Session ID-ն կամ ONS-ը",
"notificationsSettingsContent": "Notification Content", "message": "Հաղորդագրություն",
"notificationPreview": "Preview", "appearanceSettingsTitle": "Արտաքին տեսք",
"recoveryPhraseEmpty": "Enter your recovery phrase", "privacySettingsTitle": "Գաղտնիություն",
"displayNameEmpty": "Please enter a display name", "notificationsSettingsTitle": "Ծանուցումներ",
"members": "$count$ members", "audioNotificationsSettingsTitle": "Audio Notifications",
"join": "Join", "notificationsSettingsContent": "Ծանուցման բովանդակություն",
"joinOpenGroup": "Join Community", "notificationPreview": "Նախադիտում",
"createGroup": "Create Group", "recoveryPhraseEmpty": "Գրեք ձեր վերականգնման արտահայտությունը",
"create": "Create", "displayNameEmpty": "Խնդրում ենք մուտքագրել ցուցադրվող անուն",
"createClosedGroupNamePrompt": "Group Name", "displayNameTooLong": "Display name is too long",
"createClosedGroupPlaceholder": "Enter a group name", "members": "$count$ անդամաներ",
"openGroupURL": "Community URL", "activeMembers": "$count$ active members",
"enterAnOpenGroupURL": "Enter Community URL", "join": "Միանալ",
"next": "Next", "joinOpenGroup": "Միանալ համայնքին",
"invalidGroupNameTooShort": "Please enter a group name", "createGroup": "Ստեղծել խումբ",
"invalidGroupNameTooLong": "Please enter a shorter group name", "create": "Ստեղծել",
"pickClosedGroupMember": "Please pick at least 1 group member", "createClosedGroupNamePrompt": "Խմբի անուն",
"closedGroupMaxSize": "A group cannot have more than 100 members", "createClosedGroupPlaceholder": "Մուտքագրեք խմբի անուն",
"noBlockedContacts": "No blocked contacts", "openGroupURL": "Համայնքի URL",
"userAddedToModerators": "User added to admin list", "enterAnOpenGroupURL": "Մուտքագրեք համայնքի URL-ը",
"userRemovedFromModerators": "User removed from admin list", "next": "Հաջորդը",
"orJoinOneOfThese": "Or join one of these...", "invalidGroupNameTooShort": "Խնդրում ենք մուտքագրել խմբի անունը",
"helpUsTranslateSession": "Translate Session", "invalidGroupNameTooLong": "Խնդրում ենք մուտքագրել ավելի կարճ խմբի անուն",
"closedGroupInviteFailTitle": "Group Invitation Failed", "pickClosedGroupMember": "Խնդրում ենք ընտրել խմբի առնվազն 1 անդամ",
"closedGroupInviteFailTitlePlural": "Group Invitations Failed", "closedGroupMaxSize": "Խումբը չի կարող ունենալ 100-ից ավելի անդամ",
"closedGroupInviteFailMessage": "Unable to successfully invite a group member", "noBlockedContacts": "Դուք արգելափակված կոնտակտներ չունեք.",
"closedGroupInviteFailMessagePlural": "Unable to successfully invite all group members", "userAddedToModerators": "Օգտատերը ավելացվել է ադմինների ցանկում",
"closedGroupInviteOkText": "Retry invitations", "userRemovedFromModerators": "Օգտատերը հեռացվել է ադմինիստրատորի ցուցակից",
"closedGroupInviteSuccessTitlePlural": "Group Invitations Completed", "orJoinOneOfThese": "Կամ միացե՛ք սրանցից մեկին…",
"helpUsTranslateSession": "Թարգմանել Session-ը",
"closedGroupInviteFailTitle": "Խմբի հրավերը ձախողվեց",
"closedGroupInviteFailTitlePlural": "Խմբի հրավերները ձախողվեցին",
"closedGroupInviteFailMessage": "Չաջողվեց հրավիրել խմբի անդամ",
"closedGroupInviteFailMessagePlural": "Չաջողվեց հրավիրել բոլոր խմբի անդամներին",
"closedGroupInviteOkText": "Կրկին փորձեք հրավերները",
"closedGroupInviteSuccessTitlePlural": "Խմբային հրավերներն ավարտված են",
"closedGroupInviteSuccessTitle": "Group Invitation Succeeded", "closedGroupInviteSuccessTitle": "Group Invitation Succeeded",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Խմբի անդամները հաջողությամբ հրավիրվեցին",
"notificationForConvo": "Notifications", "notificationForConvo": "Ծանուցումներ",
"notificationForConvo_all": "All", "notificationForConvo_all": "Բոլորը",
"notificationForConvo_disabled": "Disabled", "notificationForConvo_disabled": "Անջատված",
"notificationForConvo_mentions_only": "Mentions only", "notificationForConvo_mentions_only": "Միայն հիշատակումներ",
"onionPathIndicatorTitle": "Path", "onionPathIndicatorTitle": "Ուղի",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:", "onionPathIndicatorDescription": "Session-ը թաքցնում է Ձեր IP հասցեն Ձեր հաղորդագրությունները տանելով Session-ի ապահով ցանցերի Ծառայողական Հանգույցներով։ Սրանք այն երկրներն են, որոնցով Ձեր հաղորդագրություններն անցնում են․",
"unknownCountry": "Unknown Country", "unknownCountry": "Անհայտ երկիր",
"device": "Device", "device": "Սարք",
"destination": "Destination", "destination": "Նպատակակետ",
"learnMore": "Learn more", "learnMore": "Իմանալ ավելին",
"linkVisitWarningTitle": "Open this link in your browser?", "linkVisitWarningTitle": "Բացե՞լ այս հղումը ձեր դիտարկիչում:",
"linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?", "linkVisitWarningMessage": "Իսկապե՞ս ուզում եք բացել $url$ ձեր դիտարկիչում:",
"open": "Open", "open": "Բացել",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Աուդիո հաղորդագրությունների ավտոմատ նվագարկում",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Ավտոմատ նվագարկել հաջորդական աուդիո հաղորդագրությունները:",
"clickToTrustContact": "Click to download media", "clickToTrustContact": "Սեղմեք՝ մեդիան ներբեռնելու համար",
"trustThisContactDialogTitle": "Trust $name$?", "trustThisContactDialogTitle": "Վստահե՞լ $name$-ին:",
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Իսկապե՞ս ուզում եք ներբեռնել $name$-ից ուղարկված մեդիան:",
"pinConversation": "Pin Conversation", "pinConversation": "Ամրացնել զրույցը",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Ապամրացնել զրույցը",
"showUserDetails": "Show User Details", "markUnread": "Mark Unread",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "showUserDetails": "Ցուցադրել օգտատիրոջ տվյալները",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseTitle": "Վերականգնման արտահայտություն ուղարկում",
"dialogClearAllDataDeletionFailedTitle": "Data not deleted", "sendRecoveryPhraseMessage": "Դուք փորձում եք ուղարկել ձեր վերականգնման արտահայտությունը, որը կարող է օգտագործվել ձեր հաշիվ մուտք գործելու համար: Իսկապե՞ս ուզում եք ուղարկել այս հաղորդագրությունը:",
"dialogClearAllDataDeletionFailedDesc": "Data not deleted with an unknown error. Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitle": "Տվյալները չեն ջնջվել",
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedDesc": "Տվյալները չեն ջնջվել անհայտ սխալով: Ցանկանու՞մ եք ջնջել տվյալները միայն այս սարքից:",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedTitleQuestion": "Ցանկանու՞մ եք ջնջել տվյալները միայն այս սարքից:",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionFailedMultiple": "Տվյալները չեն ջնջվել այս ծառայողական հանգույցների կողմից՝ $snodes$",
"deviceOnly": "Clear Device Only", "dialogClearAllDataDeletionQuestion": "Ցանկանու՞մ եք մաքրել միայն այս սարքը, թե ջնջե՞լ ձեր տվյալները ցանցից:",
"entireAccount": "Clear Device and Network", "clearDevice": "Մաքրել սարքը",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "tryAgain": "Կրկին փորձեք",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureClearDevice": "Իսկապե՞ս ուզում եք ջնջել ձեր սարքի տվյալները:",
"iAmSure": "I am sure", "deviceOnly": "Մաքրել միայն սարքը",
"recoveryPhraseSecureTitle": "You're almost finished!", "entireAccount": "Մաքրել սարքը և ցանցը",
"recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.", "areYouSureDeleteDeviceOnly": "Իսկապե՞ս ուզում եք ջնջել միայն ձեր սարքի տվյալները:",
"recoveryPhraseRevealButtonText": "Reveal Recovery Phrase", "areYouSureDeleteEntireAccount": "Իսկապե՞ս ուզում եք ջնջել ձեր տվյալները ցանցից: Եթե շարունակեք, չեք կարողանա վերականգնել ձեր հաղորդագրությունները կամ կոնտակտները:",
"notificationSubtitle": "Notifications - $setting$", "iAmSure": "Վստահ եմ",
"surveyTitle": "We'd Love Your Feedback", "recoveryPhraseSecureTitle": "Դուք գրեթե ավարտեցիք:",
"faq": "FAQ", "recoveryPhraseRevealMessage": "Ապահովեք ձեր հաշիվը՝ պահպանելով ձեր վերականգնման արտահայտությունը: Բացահայտեք ձեր վերականգնման արտահայտությունը, այնուհետև ապահով պահեք այն՝ այն ապահովելու համար:",
"support": "Support", "recoveryPhraseRevealButtonText": "Բացահայտել վերականգնման արտահայտությունը",
"clearAll": "Clear All", "notificationSubtitle": "Ծանուցումներ - $setting$",
"clearDataSettingsTitle": "Clear Data", "surveyTitle": "Մենք կցանկանայինք ձեր կարծիքը",
"messageRequests": "Message Requests", "faq": "ՀՏՀ",
"requestsSubtitle": "Pending Requests", "support": "Աջակցում",
"requestsPlaceholder": "No requests", "clearAll": "Մաքրել բոլորը",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "clearDataSettingsTitle": "Զրոյացնել",
"incomingCallFrom": "Incoming call from '$name$'", "messageRequests": "Հաղորդագրության հարցումներ",
"ringing": "Ringing...", "requestsSubtitle": "Սպասվող հարցումներ",
"establishingConnection": "Establishing connection...", "requestsPlaceholder": "Հարցումներ չկան",
"accept": "Accept", "hideRequestBannerDescription": "Թաքցրեք Հաղորդագրության հարցման դրոշակը, մինչև ստանաք նոր հաղորդագրության հարցում:",
"decline": "Decline", "incomingCallFrom": "Մուտքային զանգ «$name$»-ից",
"endCall": "End call", "ringing": "Զանգահարում է...",
"permissionsSettingsTitle": "Permissions", "establishingConnection": "Կապի հաստատում...",
"helpSettingsTitle": "Help", "accept": "Ընդունել",
"cameraPermissionNeededTitle": "Voice/Video Call permissions required", "decline": "Մերժել",
"cameraPermissionNeeded": "You can enable the 'Voice and video calls' permission in the Privacy Settings.", "endCall": "Ավարտել զանգը",
"unableToCall": "Cancel your ongoing call first", "permissionsSettingsTitle": "Թույլտվություններ",
"unableToCallTitle": "Cannot start new call", "helpSettingsTitle": "Օգնություն",
"callMissed": "Missed call from $name$", "cameraPermissionNeededTitle": "Պահանջվում են ձայնային/տեսազանգերի թույլտվություններ",
"callMissedTitle": "Call missed", "cameraPermissionNeeded": "Դուք կարող եք միացնել «Ձայնային և տեսազանգերի» թույլտվությունը Գաղտնիության կարգավորումներում:",
"noCameraFound": "No camera found", "unableToCall": "Նախ չեղարկեք ձեր ընթացիկ զանգը",
"noAudioInputFound": "No audio input found", "unableToCallTitle": "Հնարավոր չէ նոր զանգ սկսել",
"noAudioOutputFound": "No audio output found", "callMissed": "Բաց թողնված զանգ $name$-ից",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMissedTitle": "Զանգը բաց է թողնվել",
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "noCameraFound": "Տեսախցիկ չի գտնվել",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "noAudioInputFound": "Ձայնային մուտքագրում չի գտնվել",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "noAudioOutputFound": "Ձայնային ելք չի գտնվել",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsTitle": "Ձայնային և տեսազանգեր (Beta)",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMissedCausePermission": "Դուք բաց եք թողել զանգ «$name$»-ից, քանի որ Գաղտնիության կարգավորումներում պետք է միացնեք «Ձայնային և տեսազանգերի» թույլտվությունը:",
"startedACall": "You called $name$", "callMissedNotApproved": "Զանգը բաց է թողնվել «$name$»-ից, քանի որ դուք դեռ չեք հաստատել այս խոսակցությունը: Սկզբում հաղորդագրություն ուղարկեք նրանց:",
"answeredACall": "Call with $name$", "callMediaPermissionsDescription": "Միացնում է ձայնային և տեսազանգերը դեպի և այլ օգտվողների հետ:",
"trimDatabase": "Trim Database", "callMediaPermissionsDialogContent": "Ձեր IP հասցեն տեսանելի է ձեր զանգի գործընկերոջը և Oxen Foundation սերվերին Beta զանգեր օգտագործելիս: Իսկապե՞ս ուզում եք միացնել ձայնային և տեսազանգերը:",
"trimDatabaseDescription": "Reduces your message database size to your last 10,000 messages.", "callMediaPermissionsDialogTitle": "Ձայնային և տեսազանգեր (Beta)",
"trimDatabaseConfirmationBody": "Are you sure you want to delete your $deleteAmount$ oldest received messages?", "startedACall": "Դուք զանգահարել եք $name$",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...", "answeredACall": "Զանգ $name$-ի հետ",
"messageRequestPending": "Your message request is currently pending", "trimDatabase": "Կրճատել տվյալների բազան",
"messageRequestAccepted": "Your message request has been accepted", "trimDatabaseDescription": "Կրճատում է ձեր հաղորդագրությունների տվյալների բազայի չափը մինչև ձեր վերջին 10000 հաղորդագրությունը:",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request", "trimDatabaseConfirmationBody": "Իսկապե՞ս ուզում եք ջնջել ձեր $deleteAmount$ ամենահին ստացված հաղորդագրությունները:",
"messageRequestAcceptedOursNoName": "You have accepted the message request", "pleaseWaitOpenAndOptimizeDb": "Խնդրում ենք սպասել, մինչև ձեր տվյալների բազան բացվի և օպտիմիզացվի...",
"declineRequestMessage": "Are you sure you want to decline this message request?", "messageRequestPending": "Ձեր հաղորդագրության հարցումն այժմ առկախ է",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "messageRequestAccepted": "Ձեր հաղորդագրության հարցումն ընդունվել է",
"hideRequestBanner": "Hide Message Request Banner", "messageRequestAcceptedOurs": "Դուք ընդունել եք $name$-ի հաղորդագրության հարցումը",
"openMessageRequestInbox": "Message Requests", "messageRequestAcceptedOursNoName": "Դուք ընդունել եք հաղորդագրության հարցումը",
"noMessageRequestsPending": "No pending message requests", "declineRequestMessage": "Իսկապե՞ս ուզում եք մերժել այս հաղորդագրության հարցումը:",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved", "respondingToRequestWarning": "Այս օգտատիրոջը հաղորդագրություն ուղարկելը ինքնաբերաբար կընդունի նրա հաղորդագրության հարցումը և կբացահայտի ձեր Session ID-ն:",
"mustBeApproved": "This conversation must be accepted to use this feature", "hideRequestBanner": "Թաքցնել hաղորդագրության հարցումների բաժինը",
"youHaveANewFriendRequest": "You have a new friend request", "openMessageRequestInbox": "Հաղորդագրության հարցումներ",
"clearAllConfirmationTitle": "Clear All Message Requests", "noMessageRequestsPending": "Սպասող հաղորդագրությունների հարցումներ չկան",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "noMediaUntilApproved": "Դուք չեք կարող ուղարկել կցորդներ, քանի դեռ զրույցը չի հաստատվել",
"hideBanner": "Hide", "mustBeApproved": "Այս խոսակցությունը պետք է ընդունվի՝ այս գործառույթն օգտագործելու համար",
"openMessageRequestInboxDescription": "View your Message Request inbox", "youHaveANewFriendRequest": "Դուք ունեք նոր հաղորդագրության հարցում",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllConfirmationTitle": "Մաքրել բոլոր հաղորդագրությունների հարցումները",
"expandedReactionsText": "Show Less", "clearAllConfirmationBody": "Իսկապե՞ս ուզում եք ջնջել հաղորդագրությունների բոլոր հարցումները:",
"reactionNotification": "Reacts to a message with $emoji$", "noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"otherSingular": "$number$ other", "noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"otherPlural": "$number$ others", "noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"reactionPopup": "reacted with", "hideBanner": "Թաքցնել",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Դիտեք ձեր հաղորդագրությունների հարցումների մուտքի արկղը",
"clearAllReactions": "Իսկապե՞ս ուզում եք ջնջել բոլոր $emoji$-ը:",
"expandedReactionsText": "Ավելի քիչ ցույց տալ",
"reactionNotification": "Արձագանքում է $emoji$-ով հաղորդագրությանը",
"rateLimitReactMessage": "Դանդաղեցրե՛ք։ Դուք չափազանց շատ էմոջիների արձագանքներ եք ուղարկել: Շուտով նորից փորձեք:",
"otherSingular": "$number$ այլ",
"otherPlural": "$number$ այլ",
"reactionPopup": "արձագանքել է",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ և $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ և $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ և",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Եվ ևս $otherSingular$ արձագանքել է <span>$emoji$</span> այս հաղորդագրությանը",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Եվ ևս $otherPlural$ արձագանքել է <span>$emoji$</span> այս հաղորդագրությանը"
} }

View File

@ -16,7 +16,7 @@
"editMenuCut": "Potong", "editMenuCut": "Potong",
"editMenuCopy": "Salin", "editMenuCopy": "Salin",
"editMenuPaste": "Tempel", "editMenuPaste": "Tempel",
"editMenuDeleteContact": "Hapus kontak", "editMenuDeleteContact": "Hapus Kontak",
"editMenuDeleteGroup": "Hapus Grup", "editMenuDeleteGroup": "Hapus Grup",
"editMenuSelectAll": "Pilih semua", "editMenuSelectAll": "Pilih semua",
"windowMenuClose": "Tutup Jendela", "windowMenuClose": "Tutup Jendela",
@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Toggle layar penuh", "viewMenuToggleFullScreen": "Toggle layar penuh",
"viewMenuToggleDevTools": "Toggle perangkat pengembangan", "viewMenuToggleDevTools": "Toggle perangkat pengembangan",
"contextMenuNoSuggestions": "Tidak ada sugesti", "contextMenuNoSuggestions": "Tidak ada sugesti",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Undangan komunitas",
"joinOpenGroupAfterInvitationConfirmationTitle": "Bergabung ke $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Bergabung ke $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Apakah Anda yakin ingin bergabung dengan komunitas $roomName$?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Masukkan Session ID atau nama ONS", "enterSessionIDOrONSName": "Masukkan Session ID atau nama ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Mulai percakapan baru dengan memasukkan ID Session seseorang atau bagikan ID Session Anda dengan mereka.",
"loading": "Memuat...", "loading": "Memuat...",
"done": "Selesai", "done": "Selesai",
"youLeftTheGroup": "Anda telah keluar dari grup.", "youLeftTheGroup": "Anda telah keluar dari grup.",
"youGotKickedFromGroup": "Anda dikeluarkan dari grup.", "youGotKickedFromGroup": "Anda dikeluarkan dari grup.",
"unreadMessages": "Pesan Belum Terbaca", "unreadMessages": "Pesan Belum Terbaca",
"debugLogExplanation": "Log ini akan disimpan ke desktop anda.", "debugLogExplanation": "Log ini akan disimpan ke desktop anda.",
"reportIssue": "Report a Bug", "reportIssue": "Laporkan Bug",
"markAllAsRead": "Tandai semuanya telah dibaca", "markAllAsRead": "Tandai semuanya telah dibaca",
"incomingError": "Gagal dalam menangani pesan masuk", "incomingError": "Gagal dalam menangani pesan masuk",
"media": "Media", "media": "Media",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Maaf, terjadi kesalahan pada pengaturan lampiran anda.", "unableToLoadAttachment": "Maaf, terjadi kesalahan pada pengaturan lampiran anda.",
"offline": "Luring", "offline": "Luring",
"debugLog": "Catatan Awakutu", "debugLog": "Catatan Awakutu",
"showDebugLog": "Export Logs", "showDebugLog": "Ekspor Log",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Ekspor log Anda, lalu unggah berkas melalui Layanan Bantuan Session.",
"goToReleaseNotes": "Lihat Catatan Rilis", "goToReleaseNotes": "Lihat Catatan Rilis",
"goToSupportPage": "Cek halaman bantuan", "goToSupportPage": "Cek halaman bantuan",
"about": "Tentang", "about": "Tentang",
@ -72,7 +72,7 @@
"noSearchResults": "Tidak ditemukan hasil untuk \"$searchTerm$\"", "noSearchResults": "Tidak ditemukan hasil untuk \"$searchTerm$\"",
"conversationsHeader": "Grup dan Kontak", "conversationsHeader": "Grup dan Kontak",
"contactsHeader": "Kontak", "contactsHeader": "Kontak",
"messagesHeader": "Pesan", "messagesHeader": "Conversations",
"settingsHeader": "Pengaturan", "settingsHeader": "Pengaturan",
"typingAlt": "Animasi pengetikan untuk percakapan ini", "typingAlt": "Animasi pengetikan untuk percakapan ini",
"contactAvatarAlt": "Avatar untuk kontak $name$", "contactAvatarAlt": "Avatar untuk kontak $name$",
@ -100,73 +100,75 @@
"deleteMessagesQuestion": "Hapus $count$ Pesan?", "deleteMessagesQuestion": "Hapus $count$ Pesan?",
"deleteMessageQuestion": "Hapus pesan ini?", "deleteMessageQuestion": "Hapus pesan ini?",
"deleteMessages": "Hapus pesan", "deleteMessages": "Hapus pesan",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"deleted": "$count$ dihapus",
"messageDeletedPlaceholder": "Pesan ini telah dihapus", "messageDeletedPlaceholder": "Pesan ini telah dihapus",
"from": "Dari:", "from": "Dari:",
"to": "Kepada:", "to": "Kepada:",
"sent": "Terkirim", "sent": "Terkirim",
"received": "Diterima", "received": "Diterima",
"sendMessage": "Mengirim pesan", "sendMessage": "Mengirim pesan",
"groupMembers": "Anggota grup", "groupMembers": "Anggota",
"moreInformation": "Informasi lebih lanjut", "moreInformation": "Informasi lebih lanjut",
"resend": "Kirim ulang", "resend": "Kirim ulang",
"deleteConversationConfirmation": "Hapus obrolan ini selamanya?", "deleteConversationConfirmation": "Hapus obrolan ini selamanya?",
"clear": "Clear", "clear": "Hapus",
"clearAllData": "Hapus semua data", "clearAllData": "Hapus semua data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Tindakan ini akan menghapus pesan dan kontak Anda secara permanen.",
"deleteAccountFromLogin": "Apakah Anda yakin ingin menghapus perangkat Anda?",
"deleteContactConfirmation": "Apakah anda yakin ingin menghapus percakapan ini?", "deleteContactConfirmation": "Apakah anda yakin ingin menghapus percakapan ini?",
"quoteThumbnailAlt": "Cuplikan gambar dari pesan yang dikutip", "quoteThumbnailAlt": "Cuplikan gambar dari pesan yang dikutip",
"imageAttachmentAlt": "Gambar dilampirkan kedalam pesan", "imageAttachmentAlt": "Gambar dilampirkan kedalam pesan",
"videoAttachmentAlt": "Hasil tangkapan layar dari video dilampirkan dalam pesan", "videoAttachmentAlt": "Tangkapan layar video dalam pesan",
"lightboxImageAlt": "Gambar telah terkirim dalam percakapan", "lightboxImageAlt": "Gambar telah terkirim dalam percakapan",
"imageCaptionIconAlt": "Ikon mengindikasikan jika gambar ini memiliki takarir", "imageCaptionIconAlt": "Ikon mengindikasikan jika gambar ini memiliki takarir",
"addACaption": "Tambah keterangan...", "addACaption": "Tambah keterangan...",
"copySessionID": "Salin Session ID", "copySessionID": "Salin Session ID",
"copyOpenGroupURL": "Salin URL grup", "copyOpenGroupURL": "Salin URL Grup",
"save": "Simpan", "save": "Simpan",
"saveLogToDesktop": "Simpan log ke dekstop", "saveLogToDesktop": "Simpan log ke dekstop",
"saved": "Tersimpan", "saved": "Tersimpan",
"tookAScreenshot": "$name$ mengambil tangkapan layar", "tookAScreenshot": "$name$ mengambil tangkapan layar",
"savedTheFile": "Media disimpan oleh $name$", "savedTheFile": "Media disimpan oleh $name$",
"linkPreviewsTitle": "Kirim pratinjau tautan", "linkPreviewsTitle": "Kirim pratinjau tautan",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Buat pratinjau tautan untuk URL yang didukung.",
"linkPreviewsConfirmMessage": "Anda tidak mendapatkan perlindungan metadata penuh ketika mengirim atau menerima tautan pratinjau.", "linkPreviewsConfirmMessage": "Anda tidak mendapatkan perlindungan metadata penuh ketika mengirim atau menerima tautan pratinjau.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Izinkan akses ke mikrofon.",
"spellCheckTitle": "Pemeriksa Ejaan", "spellCheckTitle": "Pemeriksa Ejaan",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Aktifkan pemeriksaan ejaan saat mengetik pesan.",
"spellCheckDirty": "Anda harus muat ulang Session untuk terima pengaturan baru anda", "spellCheckDirty": "Anda harus muat ulang Session untuk terima pengaturan baru anda",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Kirim tanda baca dalam obrolan pribadi.",
"readReceiptSettingTitle": "Pesan terbaca", "readReceiptSettingTitle": "Pesan terbaca",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Lihat dan bagikan indikator mengetik dalam obrolan pribadi.",
"typingIndicatorsSettingTitle": "Indikator penulisan", "typingIndicatorsSettingTitle": "Indikator penulisan",
"zoomFactorSettingTitle": "Zoom faktor", "zoomFactorSettingTitle": "Zoom faktor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Tema",
"primaryColor": "Primary Color", "primaryColor": "Warna Utama",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Warna primer hijau",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Warna primer biru",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Warna primer kuning",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Warna primer merah jambu",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Warna primer ungu",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Warna primer jingga",
"primaryColorRed": "Primary color red", "primaryColorRed": "Warna primer merah",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Gelap Klasik",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Terang Klasik",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Lautan Gelap",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Lautan Cerah",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Pangkas Komunitas",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Hapus pesan yang lebih lama dari 6 bulan dalam komunitas yang memiliki lebih dari 2.000 pesan.",
"enable": "Enable", "enable": "Aktifkan",
"keepDisabled": "Keep disabled", "keepDisabled": "Tetap nonaktifkan",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Informasi yang ditampilkan dalam notifikasi.",
"nameAndMessage": "nama pengirim dan pesannya", "nameAndMessage": "Nama & Isi",
"noNameOrMessage": "Nama atau pesan saja", "noNameOrMessage": "Nama atau pesan saja",
"nameOnly": "Nama pengirim saja", "nameOnly": "Nama pengirim saja",
"newMessage": "Pesan Baru", "newMessage": "Pesan Baru",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Buat percakapan dengan kontak baru",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Buat grup dengan kontak yang ada",
"joinACommunity": "Join a community", "joinACommunity": "Gabung komunitas",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Ketuk kontak untuk memulai percakapan",
"newMessages": "Pesan Baru", "newMessages": "Pesan Baru",
"notificationMostRecentFrom": "Paling baru dari: $name$", "notificationMostRecentFrom": "Paling baru dari: $name$",
"notificationFrom": "Dari:", "notificationFrom": "Dari:",
@ -174,7 +176,7 @@
"sendFailed": "Gagal Mengirim", "sendFailed": "Gagal Mengirim",
"mediaMessage": "Pesan media", "mediaMessage": "Pesan media",
"messageBodyMissing": "Masukkan pesan.", "messageBodyMissing": "Masukkan pesan.",
"messageBody": "Message body", "messageBody": "Isi pesan",
"unblockToSend": "Lepaskan blokir kontak ini untuk mengirim pesan", "unblockToSend": "Lepaskan blokir kontak ini untuk mengirim pesan",
"unblockGroupToSend": "Lepaskan blokir grup ini untuk mengirim pesan.", "unblockGroupToSend": "Lepaskan blokir grup ini untuk mengirim pesan.",
"youChangedTheTimer": "Anda mengatur pesan menghilang dalam $time$", "youChangedTheTimer": "Anda mengatur pesan menghilang dalam $time$",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 jam", "timerOption_12_hours": "12 jam",
"timerOption_1_day": "1 hari", "timerOption_1_day": "1 hari",
"timerOption_1_week": "1 minggu", "timerOption_1_week": "1 minggu",
"timerOption_2_weeks": "2 minggu",
"disappearingMessages": "Pesan hilang", "disappearingMessages": "Pesan hilang",
"changeNickname": "Ubah Nama Panggilan", "changeNickname": "Ubah Nama Panggilan",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12j", "timerOption_12_hours_abbreviated": "12j",
"timerOption_1_day_abbreviated": "1h", "timerOption_1_day_abbreviated": "1h",
"timerOption_1_week_abbreviated": "1mg", "timerOption_1_week_abbreviated": "1mg",
"timerOption_2_weeks_abbreviated": "2mg",
"disappearingMessagesDisabled": "Pesan menghilang dinonaktifkan", "disappearingMessagesDisabled": "Pesan menghilang dinonaktifkan",
"disabledDisappearingMessages": "$name$ menonaktifkan pesan menghilang.", "disabledDisappearingMessages": "$name$ telah menonaktifkan pesan menghilang.",
"youDisabledDisappearingMessages": "Anda menonaktifkan pesan menghilang.", "youDisabledDisappearingMessages": "Anda menonaktifkan pesan menghilang.",
"timerSetTo": "Waktu pesan hilang diatur ke $time$", "timerSetTo": "Waktu pesan hilang diatur ke $time$",
"noteToSelf": "Catatan Pribadi", "noteToSelf": "Catatan Pribadi",
"hideMenuBarTitle": "Sembunyikan Meny Bar", "hideMenuBarTitle": "Sembunyikan Meny Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Alihkan visibilitas bilah menu sistem.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "Nomor salah", "invalidNumberError": "Harap periksa ID Session atau nama ONS dan coba lagi",
"failedResolveOns": "Gagal menyelesaikan jalan ONS", "failedResolveOns": "Gagal menyelesaikan jalan ONS",
"autoUpdateSettingTitle": "Pembaruan Otomatis", "autoUpdateSettingTitle": "Pembaruan Otomatis",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Secara otomatis cek pembaruan saat startup.",
"autoUpdateNewVersionTitle": "Tersedia Session versi terbaru", "autoUpdateNewVersionTitle": "Tersedia Session versi terbaru",
"autoUpdateNewVersionMessage": "Tersedia versi terbaru Session.", "autoUpdateNewVersionMessage": "Tersedia versi terbaru Session.",
"autoUpdateNewVersionInstructions": "Tekan memulai awal Session untuk mendapatkan versi terbaru.", "autoUpdateNewVersionInstructions": "Tekan memulai awal Session untuk mendapatkan versi terbaru.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$ bergabung dengan grup", "multipleJoinedTheGroup": "$name$ bergabung dengan grup",
"kickedFromTheGroup": "$name$ telah dikeluarkan dari grup.", "kickedFromTheGroup": "$name$ telah dikeluarkan dari grup.",
"multipleKickedFromTheGroup": "$name$ telah dikeluarkan dari grup.", "multipleKickedFromTheGroup": "$name$ telah dikeluarkan dari grup.",
"blockUser": "Blokir", "block": "Block",
"unblockUser": "Buka blokir", "unblock": "Unblock",
"unblocked": "Buka blokir", "unblocked": "Buka blokir",
"blocked": "Terblokir", "blocked": "Terblokir",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Kontak Diblokir",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Percakapan",
"unbanUser": "Hapus cekal pengguna", "unbanUser": "Hapus cekal pengguna",
"userUnbanned": "Pemblokiran pengguna berhasil dibatalkan", "userUnbanned": "Pemblokiran pengguna berhasil dibatalkan",
"userUnbanFailed": "Hapus cekal gagal!", "userUnbanFailed": "Hapus cekal gagal!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Larang gagal!", "userBanFailed": "Larang gagal!",
"leaveGroup": "Keluar grup", "leaveGroup": "Keluar grup",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Keluar dari grup dan hapus untuk semua orang",
"leaveGroupConfirmation": "Apakah anda yakin ingin meninggalkan grup ini?", "leaveGroupConfirmation": "Apakah anda yakin ingin meninggalkan grup ini?",
"leaveGroupConfirmationAdmin": "Karena anda adalah admin grup ini, jika anda keluar, grup ini akan dihapus untuk setiap anggota saat ini. Anda yakin ingin keluar dari grup ini?", "leaveGroupConfirmationAdmin": "Karena anda adalah admin grup ini, jika anda keluar, grup ini akan dihapus untuk setiap anggota saat ini. Anda yakin ingin keluar dari grup ini?",
"cannotRemoveCreatorFromGroup": "Tidak dapat mengeluarkan pengguna ini", "cannotRemoveCreatorFromGroup": "Tidak dapat mengeluarkan pengguna ini",
"cannotRemoveCreatorFromGroupDesc": "Anda tidak dapat mengeluarkan pengguna ini karena pengguna merupakan pembuat grup.", "cannotRemoveCreatorFromGroupDesc": "Anda tidak dapat mengeluarkan pengguna ini karena pengguna merupakan pembuat grup.",
"noContactsForGroup": "anda belum memiliki kontak", "noContactsForGroup": "anda belum memiliki kontak",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Gagal menambahkan pengguna sebagai admin",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Gagal menghapus pengguna dari daftar admin",
"copyMessage": "Salin pesan", "copyMessage": "Salin pesan",
"selectMessage": "Pilih pesan", "selectMessage": "Pilih pesan",
"editGroup": "Ubah grup", "editGroup": "Ubah grup",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "Memperbarui $name$...", "updateGroupDialogTitle": "Memperbarui $name$...",
"showRecoveryPhrase": "Kata pemulihan", "showRecoveryPhrase": "Kata pemulihan",
"yourSessionID": "Session ID anda", "yourSessionID": "Session ID anda",
"setAccountPasswordTitle": "Atur Kata Sandi Akun", "setAccountPasswordTitle": "Kata sandi",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Memerlukan kata sandi untuk membuka kunci Session.",
"changeAccountPasswordTitle": "Ubah Kata Sandi Akun", "changeAccountPasswordTitle": "Ubah Kata Sandi",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Ubah kata sandi yang diperlukan untuk membuka kunci Session.",
"removeAccountPasswordTitle": "Hapus Kata Sandi Akun", "removeAccountPasswordTitle": "Hapus Kata Sandi",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Hapus kata sandi yang diperlukan untuk membuka kunci Session.",
"enterPassword": "Masukkan kata sandi Anda", "enterPassword": "Masukkan kata sandi Anda",
"confirmPassword": "Konfirmasi kata sandi", "confirmPassword": "Konfirmasi kata sandi",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Mohon masukkan kata sandi Anda yang baru",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Konfirmasi kata sandi baru",
"showRecoveryPhrasePasswordRequest": "Silahkan masukan kata sandi Anda", "showRecoveryPhrasePasswordRequest": "Silahkan masukan kata sandi Anda",
"recoveryPhraseSavePromptMain": "Kata pemulihan adalah kunci Session ID -- bisa digunakan untuk mengembalikan Session ID ketika anda kehilangan perangkat. Simpan kata pemulihan di tempat yang aman dan jangan berikan kepada siapapun", "recoveryPhraseSavePromptMain": "Kata pemulihan adalah kunci Session ID -- bisa digunakan untuk mengembalikan Session ID ketika anda kehilangan perangkat. Simpan kata pemulihan di tempat yang aman dan jangan berikan kepada siapapun",
"invalidOpenGroupUrl": "URL tidak valid", "invalidOpenGroupUrl": "URL tidak valid",
"copiedToClipboard": "Salin ke clipboard", "copiedToClipboard": "Disalin",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Masukkan Kata Sandi",
"password": "Kata sandi", "password": "Kata sandi",
"setPassword": "Atur Kata Sandi", "setPassword": "Atur Kata Sandi",
"changePassword": "Ubah Kata Sandi", "changePassword": "Ubah Kata Sandi",
"createPassword": "Create your password", "createPassword": "Buat kata sandi Anda",
"removePassword": "Hapus Kata Sandi", "removePassword": "Hapus Kata Sandi",
"maxPasswordAttempts": "Kata sandi tidak valid. Apakah anda ingin mengatur ulang database?", "maxPasswordAttempts": "Kata sandi tidak valid. Apakah anda ingin mengatur ulang database?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Harap masukkan kata sandi Anda saat ini",
"invalidOldPassword": "Kata sandi lama tidak valid", "invalidOldPassword": "Kata sandi lama tidak valid",
"invalidPassword": "Kata sandi tidak valid", "invalidPassword": "Kata sandi tidak valid",
"noGivenPassword": "Masukkan kata sandi anda", "noGivenPassword": "Masukkan kata sandi anda",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Kata sandi tidak cocok", "setPasswordInvalid": "Kata sandi tidak cocok",
"changePasswordInvalid": "Kata sandi lama yang anda masukkan salah", "changePasswordInvalid": "Kata sandi lama yang anda masukkan salah",
"removePasswordInvalid": "Kata sandi salah", "removePasswordInvalid": "Kata sandi salah",
"setPasswordTitle": "Atur Kata Sandi", "setPasswordTitle": "Kata sandi dipasang",
"changePasswordTitle": "Kata Sandi yang Telah Diubah", "changePasswordTitle": "Kata Sandi Diubah",
"removePasswordTitle": "Kata Sandi yang Telah Dihapus", "removePasswordTitle": "Kata Sandi Dihapus",
"setPasswordToastDescription": "Kata sandi anda telah disetel. Harap untuk menjaganya.", "setPasswordToastDescription": "Kata sandi anda telah disetel. Harap untuk menjaganya.",
"changePasswordToastDescription": "Kata sandi anda telah disetel. Harap untuk menjaganya.", "changePasswordToastDescription": "Kata sandi anda telah disetel. Harap untuk menjaganya.",
"removePasswordToastDescription": "Anda telah menghapus kata sandi anda.", "removePasswordToastDescription": "Kata sandi Anda telah dihapus.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Anda sudah terhubung ke komunitas ini",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Tidak dapat bergabung ke komunitas",
"connectingToServer": "Menghubungkan...", "connectingToServer": "Menghubungkan...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Berhasil terhubung ke komunitas",
"setPasswordFail": "Gagal memperbarui kata sandi", "setPasswordFail": "Gagal memperbarui kata sandi",
"passwordLengthError": "Panjang kata sandi anda harus diantara 6 dan 64 karakter", "passwordLengthError": "Panjang kata sandi anda harus diantara 6 dan 64 karakter",
"passwordTypeError": "Kata sandi harus berupa rangkaian kata", "passwordTypeError": "Kata sandi harus berupa rangkaian kata",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Profil", "editProfileModalTitle": "Profil",
"groupNamePlaceholder": "Nama grup", "groupNamePlaceholder": "Nama grup",
"inviteContacts": "Undang teman", "inviteContacts": "Undang teman",
"addModerators": "Add Admins", "addModerators": "Tambah Admin",
"removeModerators": "Remove Admins", "removeModerators": "Hapus Admin",
"addAsModerator": "Add as Admin", "addAsModerator": "Tambah sebagai Admin",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Hapus dari Admin",
"add": "Tambahkan", "add": "Tambahkan",
"addingContacts": "Tambahkan kontak ke $name$", "addingContacts": "Tambahkan kontak ke $name$",
"noContactsToAdd": "Tidak ada kontak untuk ditambah", "noContactsToAdd": "Tidak ada kontak untuk ditambah",
"noMembersInThisGroup": "Tidak ada anggota lain di dalam grup ini", "noMembersInThisGroup": "Tidak ada anggota lain di dalam grup ini",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "tidak ada admin yang dihapus",
"onlyAdminCanRemoveMembers": "Anda bukan kreator", "onlyAdminCanRemoveMembers": "Anda bukan kreator",
"onlyAdminCanRemoveMembersDesc": "Hanya kreator grup yang bisa mengeluarkan pengguna", "onlyAdminCanRemoveMembersDesc": "Hanya kreator grup yang bisa mengeluarkan pengguna",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Simpan di System Tray", "startInTrayTitle": "Simpan di System Tray",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Biarkan Session bekerja di latar belakang ketika anda menutup jendela.",
"yourUniqueSessionID": "Ucapkan halo pada Session ID anda", "yourUniqueSessionID": "Ucapkan halo pada Session ID anda",
"allUsersAreRandomly...": "Session ID adalah alamat unik yang bisa digunakan untuk mengontak anda. Tanpa koneksi dengan identitas asli, Session ID anda didesain bersifat anonim dan rahasia.", "allUsersAreRandomly...": "Session ID adalah alamat unik yang bisa digunakan untuk mengontak anda. Tanpa koneksi dengan identitas asli, Session ID anda didesain bersifat anonim dan rahasia.",
"getStarted": "Memulai", "getStarted": "Memulai",
@ -344,149 +348,161 @@
"linkDevice": "Tautkan perangkat", "linkDevice": "Tautkan perangkat",
"restoreUsingRecoveryPhrase": "Kembalikan akun", "restoreUsingRecoveryPhrase": "Kembalikan akun",
"or": "atau", "or": "atau",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Dengan menggunakan layanan ini, Anda menyetujui <a href=\"https://getsession.org/terms-of-service \">Persyaratan Layanan</a> dan <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Kebijakan Privasi</a> kami",
"beginYourSession": "Mulai Session anda.", "beginYourSession": "Mulai Session anda.",
"welcomeToYourSession": "Selamat Datang di Session anda", "welcomeToYourSession": "Selamat Datang di Session anda",
"searchFor...": "Search conversations and contacts", "searchFor...": "Cari percakapan dan kontak",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Cari kontak",
"enterSessionID": "Masuk ke Session ID", "enterSessionID": "Masuk ke Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Masukkan ID Session atau ONS kontak Anda",
"message": "Pesan", "message": "Pesan",
"appearanceSettingsTitle": "Penampilan", "appearanceSettingsTitle": "Penampilan",
"privacySettingsTitle": "Privasi", "privacySettingsTitle": "Privasi",
"notificationsSettingsTitle": "Pemberitahuan", "notificationsSettingsTitle": "Pemberitahuan",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Isi Notifikasi",
"notificationPreview": "Pratinjau",
"recoveryPhraseEmpty": "masukan kata pemulihan", "recoveryPhraseEmpty": "masukan kata pemulihan",
"displayNameEmpty": "Pilih nama yang ditampilkan", "displayNameEmpty": "Pilih nama yang ditampilkan",
"displayNameTooLong": "Display name is too long",
"members": "$count$ anggota", "members": "$count$ anggota",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Gabung",
"createGroup": "Create Group", "joinOpenGroup": "Gabung ke Komunitas",
"create": "Create", "createGroup": "Buat Grup",
"create": "Buat",
"createClosedGroupNamePrompt": "Nama grup", "createClosedGroupNamePrompt": "Nama grup",
"createClosedGroupPlaceholder": "Masukkan nama grup", "createClosedGroupPlaceholder": "Masukkan nama grup",
"openGroupURL": "Community URL", "openGroupURL": "Tautan Komunitas",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Masukkan Tautan Komunitas",
"next": "Berikutnya", "next": "Berikutnya",
"invalidGroupNameTooShort": "Masukkan nama grup", "invalidGroupNameTooShort": "Masukkan nama grup",
"invalidGroupNameTooLong": "Masukkan nama grup yang lebih pendek", "invalidGroupNameTooLong": "Masukkan nama grup yang lebih pendek",
"pickClosedGroupMember": "Pilih setidaknya 2 anggota grup", "pickClosedGroupMember": "Pilih setidaknya 2 anggota grup",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Grup maksimal berisikan 100 anggota",
"noBlockedContacts": "Tidak ada kontak yang diblokir", "noBlockedContacts": "Anda tidak memiliki kontak yang diblokir.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Pengguna ditambahkan ke daftar admin",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Pengguna dihapus dari daftar admin",
"orJoinOneOfThese": "Atau gabung salah satu dari ini...", "orJoinOneOfThese": "Atau gabung salah satu dari ini...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Terjemahkan Session",
"closedGroupInviteFailTitle": "Undangan grup gagal", "closedGroupInviteFailTitle": "Undangan grup gagal",
"closedGroupInviteFailTitlePlural": "Undangan Grup Gagal", "closedGroupInviteFailTitlePlural": "Undangan Grup Gagal",
"closedGroupInviteFailMessage": "Gagal mengundang anggota grup", "closedGroupInviteFailMessage": "Gagal mengundang anggota grup",
"closedGroupInviteFailMessagePlural": "Gagal mengundang semua anggota grup", "closedGroupInviteFailMessagePlural": "Gagal mengundang semua anggota grup",
"closedGroupInviteOkText": "Retry invitations", "closedGroupInviteOkText": "Ulangi undangan",
"closedGroupInviteSuccessTitlePlural": "Group Invitations Completed", "closedGroupInviteSuccessTitlePlural": "Undangan Grup Berhasil",
"closedGroupInviteSuccessTitle": "Group Invitation Succeeded", "closedGroupInviteSuccessTitle": "Undangan Grup Berhasil",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Berhasil mengundang anggota grup",
"notificationForConvo": "Notifications", "notificationForConvo": "Notifikasi",
"notificationForConvo_all": "All", "notificationForConvo_all": "Semua",
"notificationForConvo_disabled": "Disabled", "notificationForConvo_disabled": "Nonaktif",
"notificationForConvo_mentions_only": "Mentions only", "notificationForConvo_mentions_only": "Sebutan saja",
"onionPathIndicatorTitle": "Path", "onionPathIndicatorTitle": "Jalur",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:", "onionPathIndicatorDescription": "Session menyembunyikan IP dengan memantulkan pesan melalui berbagai Node di jaringan Session yang terdesentralisasi. Ini adalah negara yang menjadi lokasi pesan anda dipantulkan:",
"unknownCountry": "Unknown Country", "unknownCountry": "Negara tak diketahui",
"device": "Device", "device": "Perangkat",
"destination": "Destination", "destination": "Tujuan",
"learnMore": "Learn more", "learnMore": "Selengkapnya",
"linkVisitWarningTitle": "Buka tautan ini di peramban Anda?", "linkVisitWarningTitle": "Buka tautan ini di peramban Anda?",
"linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?", "linkVisitWarningMessage": "Anda yakin ingin membuka $url$ di peramban Anda?",
"open": "Open", "open": "Buka",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Putar Otomatis Pesan Suara",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Putar otomatis pesan suara secara berurutan.",
"clickToTrustContact": "Click to download media", "clickToTrustContact": "Klik untuk mengunduh media",
"trustThisContactDialogTitle": "Trust $name$?", "trustThisContactDialogTitle": "Percayai $name$?",
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Apakah Anda yakin ingin mengunduh media yang dikirim oleh $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Sematkan Percakapan",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Lepas Semat Percakapan",
"showUserDetails": "Show User Details", "markUnread": "Mark Unread",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "showUserDetails": "Tampilkan Rincian Pengguna",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseTitle": "Mengirim Frasa Pemulihan",
"dialogClearAllDataDeletionFailedTitle": "Data not deleted", "sendRecoveryPhraseMessage": "Anda mencoba mengirim frase pemulihan yang dapat digunakan untuk mengakses akun Anda. Apakah Anda yakin ingin mengirim pesan ini?",
"dialogClearAllDataDeletionFailedDesc": "Data not deleted with an unknown error. Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitle": "Data tidak dihapus",
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedDesc": "Data tidak dihapus dengan kesalahan yang tidak diketahui. Apakah Anda ingin menghapus data hanya dari perangkat ini?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedTitleQuestion": "Apakah Anda ingin menghapus data hanya dari perangkat ini?",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionFailedMultiple": "Data tidak dihapus oleh Service Node: $snodes$",
"deviceOnly": "Clear Device Only", "dialogClearAllDataDeletionQuestion": "Apakah Anda ingin menghapus perangkat ini saja, atau juga menghapus data Anda dari jaringan?",
"entireAccount": "Clear Device and Network", "clearDevice": "Hapus Perangkat",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "tryAgain": "Coba Lagi",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureClearDevice": "Apakah Anda yakin ingin menghapus perangkat Anda?",
"iAmSure": "I am sure", "deviceOnly": "Hapus di Perangkat Saja",
"recoveryPhraseSecureTitle": "You're almost finished!", "entireAccount": "Hapus di Perangkat dan Jaringan",
"recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.", "areYouSureDeleteDeviceOnly": "Apakah Anda yakin ingin menghapus data di perangkat saja?",
"recoveryPhraseRevealButtonText": "Reveal Recovery Phrase", "areYouSureDeleteEntireAccount": "Apakah Anda yakin ingin menghapus data Anda dari jaringan? Jika Anda melanjutkan, Anda tidak akan dapat memulihkan pesan atau kontak Anda.",
"notificationSubtitle": "Notifications - $setting$", "iAmSure": "Saya yakin",
"surveyTitle": "We'd Love Your Feedback", "recoveryPhraseSecureTitle": "Hampir selesai!",
"recoveryPhraseRevealMessage": "Amankan akun Anda dengan menyimpan frase pemulihan Anda. Ungkapkan frase pemulihan Anda lalu simpan dengan aman untuk mengamankannya.",
"recoveryPhraseRevealButtonText": "Perlihatkan Frasa Pemulihan",
"notificationSubtitle": "Notifikasi - $setting$",
"surveyTitle": "Kami Ingin Masukan Anda",
"faq": "FAQ", "faq": "FAQ",
"support": "Support", "support": "Dukungan",
"clearAll": "Clear All", "clearAll": "Hapus Semua",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Hapus Data",
"messageRequests": "Message Requests", "messageRequests": "Permintaan Pesan",
"requestsSubtitle": "Pending Requests", "requestsSubtitle": "Permintaan Tertunda",
"requestsPlaceholder": "No requests", "requestsPlaceholder": "Tidak ada permintaan",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "hideRequestBannerDescription": "Sembunyikan spanduk Permintaan Pesan hingga Anda menerima permintaan pesan baru.",
"incomingCallFrom": "Incoming call from '$name$'", "incomingCallFrom": "Panggilan masuk dari '$name$'",
"ringing": "Ringing...", "ringing": "Berdering...",
"establishingConnection": "Establishing connection...", "establishingConnection": "Membangun koneksi...",
"accept": "Accept", "accept": "Terima",
"decline": "Decline", "decline": "Tolak",
"endCall": "End call", "endCall": "Akhiri",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Izin",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Bantuan",
"cameraPermissionNeededTitle": "Voice/Video Call permissions required", "cameraPermissionNeededTitle": "Izin Panggilan Suara/Video Diperlukan",
"cameraPermissionNeeded": "You can enable the 'Voice and video calls' permission in the Privacy Settings.", "cameraPermissionNeeded": "Anda dapat mengaktifkan izin 'Panggilan suara dan video' di Pengaturan Privasi.",
"unableToCall": "Cancel your ongoing call first", "unableToCall": "Batalkan panggilan yang sedang berlangsung",
"unableToCallTitle": "Cannot start new call", "unableToCallTitle": "Tidak dapat memulai panggilan baru",
"callMissed": "Missed call from $name$", "callMissed": "Panggilan tak terjawab dari $name$",
"callMissedTitle": "Call missed", "callMissedTitle": "Panggilan tak terjawab",
"noCameraFound": "No camera found", "noCameraFound": "Kamera tidak ditemukan",
"noAudioInputFound": "No audio input found", "noAudioInputFound": "Input audio tidak ditemukan",
"noAudioOutputFound": "No audio output found", "noAudioOutputFound": "Output audio tidak ditemukan",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Panggilan Suara dan Video (Beta)",
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Panggilan tidak terjawab dari '$name$' karena Anda perlu mengaktifkan izin 'Panggilan suara dan video' di Pengaturan Privasi.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Panggilan tidak terjawab dari '$name$' karena Anda belum menyetujui percakapan ini. Kirim pesan ke mereka terlebih dahulu.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Aktifkan panggilan suara dan video ke atau dari pengguna lain.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Alamat IP Anda dapat dilihat oleh mitra panggilan Anda dan server Oxen Foundation saat menggunakan panggilan versi beta. Anda yakin ingin mengaktifkan Panggilan Suara dan Video?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Panggilan Suara dan Video (Beta)",
"startedACall": "You called $name$", "startedACall": "Anda memanggil $name$",
"answeredACall": "Call with $name$", "answeredACall": "Memanggil $name$",
"trimDatabase": "Trim Database", "trimDatabase": "Pangkas Basis Data",
"trimDatabaseDescription": "Reduces your message database size to your last 10,000 messages.", "trimDatabaseDescription": "Mengurangi ukuran basis data pesan Anda menjadi 10.000 pesan terakhir.",
"trimDatabaseConfirmationBody": "Are you sure you want to delete your $deleteAmount$ oldest received messages?", "trimDatabaseConfirmationBody": "Anda yakin ingin menghapus $deleteAmount$ pesan terlama yang diterima?",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...", "pleaseWaitOpenAndOptimizeDb": "Harap tunggu sementara basis data Anda dibuka dan dioptimalkan...",
"messageRequestPending": "Your message request is currently pending", "messageRequestPending": "Permintaan pesan Anda sedang menunggu keputusan",
"messageRequestAccepted": "Your message request has been accepted", "messageRequestAccepted": "Permintaan pesan Anda telah diterima",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request", "messageRequestAcceptedOurs": "Anda telah menerima permintaan pesan $name$",
"messageRequestAcceptedOursNoName": "You have accepted the message request", "messageRequestAcceptedOursNoName": "Anda telah menerima permintaan pesan",
"declineRequestMessage": "Are you sure you want to decline this message request?", "declineRequestMessage": "Yakin ingin menolak permintaan pesan ini?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "respondingToRequestWarning": "Mengirim pesan ke pengguna ini akan secara otomatis menerima permintaan pesan mereka dan mengungkapkan ID Session Anda.",
"hideRequestBanner": "Hide Message Request Banner", "hideRequestBanner": "Sembunyikan Bilah Permintaan Pesan",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Permintaan Pesan",
"noMessageRequestsPending": "No pending message requests", "noMessageRequestsPending": "Tidak ada permintaan pesan tertunda",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved", "noMediaUntilApproved": "Anda tidak dapat mengirim lampiran hingga percakapan disetujui",
"mustBeApproved": "This conversation must be accepted to use this feature", "mustBeApproved": "Percakapan ini harus diterima untuk menggunakan fitur ini",
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "Anda memiliki permintaan pertemanan baru",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Hapus Semua Permintaan Pesan",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Yakin ingin menghapus semua permintaan pesan?",
"hideBanner": "Hide", "noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"expandedReactionsText": "Show Less", "hideBanner": "Tutup",
"reactionNotification": "Reacts to a message with $emoji$", "someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"otherSingular": "$number$ other", "openMessageRequestInboxDescription": "Lihat kotak masuk Permintaan Pesan Anda",
"otherPlural": "$number$ others", "clearAllReactions": "Anda yakin ingin menghapus semua $emoji$?",
"reactionPopup": "reacted with", "expandedReactionsText": "Lihat Sedikit",
"reactionNotification": "Menanggapi pesan dengan $emoji$",
"rateLimitReactMessage": "Pelan - pelan! Anda telah mengirim terlalu banyak reaksi emoji. Coba lagi nanti",
"otherSingular": "$number$ lainnya",
"otherPlural": "$number$ lainnya",
"reactionPopup": "bereaksi dengan",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Dan $otherSingular$ telah bereaksi <span>$emoji$</span> ke pesan ini",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Dan $otherPlural$ telah bereaksi <span>$emoji$</span> ke pesan ini"
} }

View File

@ -30,17 +30,17 @@
"contextMenuNoSuggestions": "Nessun suggerimento", "contextMenuNoSuggestions": "Nessun suggerimento",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Unirsi a $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Unirsi a $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Sei sicuro di voler unirti al gruppo aperto $roomName$?",
"couldntFindServerMatching": "Impossibile trovare il server opengroup corrispondente", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Inserisci Session ID o nome ONS", "enterSessionIDOrONSName": "Inserisci Session ID o nome ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Inizia una nuova conversazione inserendo il Session ID di qualcuno o condividendo il tuo Session ID.",
"loading": "Caricamento...", "loading": "Caricamento...",
"done": "Fatto", "done": "Fatto",
"youLeftTheGroup": "Hai lasciato il gruppo.", "youLeftTheGroup": "Hai lasciato il gruppo.",
"youGotKickedFromGroup": "Sei stato rimosso da questo gruppo.", "youGotKickedFromGroup": "Sei stato rimosso da questo gruppo.",
"unreadMessages": "Messaggi non letti", "unreadMessages": "Messaggi non letti",
"debugLogExplanation": "Questo log verrà salvato sul desktop.", "debugLogExplanation": "Questo log verrà salvato sul desktop.",
"reportIssue": "Report a Bug", "reportIssue": "Segnala un bug",
"markAllAsRead": "Segna tutto come letto", "markAllAsRead": "Segna tutto come letto",
"incomingError": "Errore messaggio in arrivo", "incomingError": "Errore messaggio in arrivo",
"media": "Media", "media": "Media",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Attenzione, c'è stato un errore nell'inviare il tuo allegato.", "unableToLoadAttachment": "Attenzione, c'è stato un errore nell'inviare il tuo allegato.",
"offline": "Disconnesso", "offline": "Disconnesso",
"debugLog": "Log di debug", "debugLog": "Log di debug",
"showDebugLog": "Export Logs", "showDebugLog": "Esporta i log",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Esporta i tuoi log, poi carica il file attraverso l'Help Desk di Session.",
"goToReleaseNotes": "Vai alle note di rilascio", "goToReleaseNotes": "Vai alle note di rilascio",
"goToSupportPage": "Vai alla pagina di supporto", "goToSupportPage": "Vai alla pagina di supporto",
"about": "A riguardo", "about": "A riguardo",
@ -72,7 +72,7 @@
"noSearchResults": "Nessun risultato trovato per \"$searchTerm$\"", "noSearchResults": "Nessun risultato trovato per \"$searchTerm$\"",
"conversationsHeader": "Contatti e Gruppi", "conversationsHeader": "Contatti e Gruppi",
"contactsHeader": "Contatti", "contactsHeader": "Contatti",
"messagesHeader": "Messaggi", "messagesHeader": "Conversations",
"settingsHeader": "Impostazioni", "settingsHeader": "Impostazioni",
"typingAlt": "Animazione per battitura per questa conversazione", "typingAlt": "Animazione per battitura per questa conversazione",
"contactAvatarAlt": "Avatar del contatto $name$", "contactAvatarAlt": "Avatar del contatto $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Eliminare $count$ messaggi?", "deleteMessagesQuestion": "Eliminare $count$ messaggi?",
"deleteMessageQuestion": "Cancellare questo messaggio?", "deleteMessageQuestion": "Cancellare questo messaggio?",
"deleteMessages": "Elimina messaggi", "deleteMessages": "Elimina messaggi",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ cancellato", "deleted": "$count$ cancellato",
"messageDeletedPlaceholder": "Questo messaggio è stato eliminato", "messageDeletedPlaceholder": "Questo messaggio è stato eliminato",
"from": "Da:", "from": "Da:",
@ -107,65 +108,66 @@
"sent": "Inviato", "sent": "Inviato",
"received": "Ricevuto", "received": "Ricevuto",
"sendMessage": "Invia messaggio", "sendMessage": "Invia messaggio",
"groupMembers": "Membri del gruppo", "groupMembers": "Membri",
"moreInformation": "Maggiori informazioni", "moreInformation": "Maggiori informazioni",
"resend": "Reinvia", "resend": "Reinvia",
"deleteConversationConfirmation": "Rimuovere definitivamente la conversazione?", "deleteConversationConfirmation": "Rimuovere definitivamente la conversazione?",
"clear": "Clear", "clear": "Cancella",
"clearAllData": "Elimina tutti i dati", "clearAllData": "Elimina tutti i dati",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Ciò eliminerà permanentemente i tuoi messaggi, sessioni e contatti.",
"deleteAccountFromLogin": "Sei sicuro di voler cancellare il tuo dispositivo?",
"deleteContactConfirmation": "Sei sicuro di voler eliminare questa conversazione?", "deleteContactConfirmation": "Sei sicuro di voler eliminare questa conversazione?",
"quoteThumbnailAlt": "Anteprima dell'immagine dal messaggio citato", "quoteThumbnailAlt": "Anteprima dell'immagine dal messaggio citato",
"imageAttachmentAlt": "Immagine allegata a un messaggio", "imageAttachmentAlt": "Immagine allegata a un messaggio",
"videoAttachmentAlt": "Schermata del video allegato al messaggio ", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Immagine inviata nella conversazione", "lightboxImageAlt": "Immagine inviata nella conversazione",
"imageCaptionIconAlt": "Icona che mostra che questa immagine ha una didascalia", "imageCaptionIconAlt": "Icona che mostra che questa immagine ha una didascalia",
"addACaption": "Aggiungi una didascalia...", "addACaption": "Aggiungi una didascalia...",
"copySessionID": "Copia Session ID", "copySessionID": "Copia Session ID",
"copyOpenGroupURL": "Copia L'Url Del Gruppo", "copyOpenGroupURL": "Copia l'URL del gruppo",
"save": "Salva", "save": "Salva",
"saveLogToDesktop": "Salva log sul desktop", "saveLogToDesktop": "Salva log sul desktop",
"saved": "Salvato", "saved": "Salvato",
"tookAScreenshot": "$name$ ha fatto uno screenshot", "tookAScreenshot": "$name$ ha fatto uno screenshot",
"savedTheFile": "Media salvati da $name$", "savedTheFile": "Media salvati da $name$",
"linkPreviewsTitle": "Invia Anteprime Dei Link", "linkPreviewsTitle": "Invia Anteprime Dei Link",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Genera le anteprime dei link per gli URL supportati.",
"linkPreviewsConfirmMessage": "Non avrai la protezione completa dei metadati quando invierai le anteprime dei link.", "linkPreviewsConfirmMessage": "Non avrai la protezione completa dei metadati quando invierai le anteprime dei link.",
"mediaPermissionsTitle": "Microfono", "mediaPermissionsTitle": "Microfono",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Autorizza l'accesso al microfono.",
"spellCheckTitle": "Controllo ortografico", "spellCheckTitle": "Controllo ortografico",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Abilita il controllo ortografico quando digiti i messaggi.",
"spellCheckDirty": "È necessario riavviare Session per applicare le modifiche", "spellCheckDirty": "È necessario riavviare Session per applicare le modifiche",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Invia conferma di lettura nelle chat uno a uno.",
"readReceiptSettingTitle": "Conferme Di Lettura", "readReceiptSettingTitle": "Conferme Di Lettura",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Visualizza e condividi gli indicatori di digitazione nelle chat uno a uno.",
"typingIndicatorsSettingTitle": "Indicatori Di Scrittura", "typingIndicatorsSettingTitle": "Indicatori Di Scrittura",
"zoomFactorSettingTitle": "Fattore Ingrandimento", "zoomFactorSettingTitle": "Fattore Ingrandimento",
"themesSettingTitle": "Themes", "themesSettingTitle": "Temi",
"primaryColor": "Primary Color", "primaryColor": "Colore primario",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Colore primario verde",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Colore primario blu",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Colore primario giallo",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Colore primario rosa",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Colore primario viola",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Colore primario arancione",
"primaryColorRed": "Primary color red", "primaryColorRed": "Colore primario rosso",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Scuro Classico",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Classico Chiaro",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Oceano Scuro",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Oceano Chiaro",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Cancellazione dei gruppi",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Elimina i messaggi più vecchi di 6 mesi nei gruppi che hanno più di 2.000 messaggi.",
"enable": "Abilita", "enable": "Abilita",
"keepDisabled": "Mantieni disabilitato", "keepDisabled": "Mantieni disabilitato",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "L'informazione mostrata nelle notifiche.",
"nameAndMessage": "Sia il mittente che il messaggio", "nameAndMessage": "Nome e contenuto",
"noNameOrMessage": "Né il mittente, né il messaggio", "noNameOrMessage": "Né il mittente, né il messaggio",
"nameOnly": "Solo il mittente", "nameOnly": "Solo il mittente",
"newMessage": "Nuovo messaggio", "newMessage": "Nuovo messaggio",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Crea una conversazione con un nuovo contatto",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Crea un gruppo con contatti esistenti",
"joinACommunity": "Join a community", "joinACommunity": "Unisciti a una comunità",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Choose an action to start a conversation",
"newMessages": "Nuovi messaggi", "newMessages": "Nuovi messaggi",
"notificationMostRecentFrom": "Il più recente da: $name$", "notificationMostRecentFrom": "Il più recente da: $name$",
@ -174,7 +176,7 @@
"sendFailed": "Invio Non Riuscito", "sendFailed": "Invio Non Riuscito",
"mediaMessage": "Messaggio multimediale", "mediaMessage": "Messaggio multimediale",
"messageBodyMissing": "Inserisci un corpo di messaggio.", "messageBodyMissing": "Inserisci un corpo di messaggio.",
"messageBody": "Message body", "messageBody": "Corpo del messaggio",
"unblockToSend": "Per inviare un messaggio sblocca questo contatto.", "unblockToSend": "Per inviare un messaggio sblocca questo contatto.",
"unblockGroupToSend": "Sblocca questo gruppo per inviare un messaggio.", "unblockGroupToSend": "Sblocca questo gruppo per inviare un messaggio.",
"youChangedTheTimer": "Hai settato i messaggi a scomparsa a $time$.", "youChangedTheTimer": "Hai settato i messaggi a scomparsa a $time$.",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 ore", "timerOption_12_hours": "12 ore",
"timerOption_1_day": "1 giorno", "timerOption_1_day": "1 giorno",
"timerOption_1_week": "1 settimana", "timerOption_1_week": "1 settimana",
"timerOption_2_weeks": "2 settimane",
"disappearingMessages": "Messaggi a scomparsa", "disappearingMessages": "Messaggi a scomparsa",
"changeNickname": "Cambia Nickname", "changeNickname": "Cambia Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 ore", "timerOption_12_hours_abbreviated": "12 ore",
"timerOption_1_day_abbreviated": "1 giorno", "timerOption_1_day_abbreviated": "1 giorno",
"timerOption_1_week_abbreviated": "1 set", "timerOption_1_week_abbreviated": "1 set",
"timerOption_2_weeks_abbreviated": "2 sett.",
"disappearingMessagesDisabled": "Messaggi a scomparsa disabilitati", "disappearingMessagesDisabled": "Messaggi a scomparsa disabilitati",
"disabledDisappearingMessages": "$name$ ha disabilitato i messaggi a scomparsa.", "disabledDisappearingMessages": "$name$ ha disabilitato i messaggi a scomparsa.",
"youDisabledDisappearingMessages": "Hai disabilitato i messaggi a scomparsa.", "youDisabledDisappearingMessages": "Hai disabilitato i messaggi a scomparsa.",
"timerSetTo": "La scomparsa dei messaggi è settata a $time$", "timerSetTo": "La scomparsa dei messaggi è settata a $time$",
"noteToSelf": "Note personali", "noteToSelf": "Note personali",
"hideMenuBarTitle": "Nascondi Barra Dei Menu", "hideMenuBarTitle": "Nascondi Barra Dei Menu",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Attiva/disattiva la visibilità della barra dei menu.",
"startConversation": "Inizia una nuova conversazione...", "startConversation": "Inizia una nuova conversazione...",
"invalidNumberError": "Numero non valido", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Impossibile risolvere il nome ONS", "failedResolveOns": "Impossibile risolvere il nome ONS",
"autoUpdateSettingTitle": "Aggiornamento automatico", "autoUpdateSettingTitle": "Aggiornamento automatico",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$ fanno ora parte del gruppo.", "multipleJoinedTheGroup": "$name$ fanno ora parte del gruppo.",
"kickedFromTheGroup": "$name$ è stato rimosso dal gruppo.", "kickedFromTheGroup": "$name$ è stato rimosso dal gruppo.",
"multipleKickedFromTheGroup": "$name$ sono stati rimossi dal gruppo.", "multipleKickedFromTheGroup": "$name$ sono stati rimossi dal gruppo.",
"blockUser": "Blocca", "block": "Block",
"unblockUser": "Sblocca", "unblock": "Unblock",
"unblocked": "Sbloccato", "unblocked": "Sbloccato",
"blocked": "Bloccato", "blocked": "Bloccato",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Contatti bloccati",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Conversazioni",
"unbanUser": "Sblocca Utente", "unbanUser": "Sblocca Utente",
"userUnbanned": "Utente sbloccato con successo", "userUnbanned": "Utente sbloccato con successo",
"userUnbanFailed": "Sblocco fallito!", "userUnbanFailed": "Sblocco fallito!",
@ -257,7 +261,7 @@
"cannotRemoveCreatorFromGroup": "Impossibile rimuovere questo utente", "cannotRemoveCreatorFromGroup": "Impossibile rimuovere questo utente",
"cannotRemoveCreatorFromGroupDesc": "Non puoi rimuovere questo utente in quanto è il creatore del gruppo.", "cannotRemoveCreatorFromGroupDesc": "Non puoi rimuovere questo utente in quanto è il creatore del gruppo.",
"noContactsForGroup": "Non hai ancora nessun contatto", "noContactsForGroup": "Non hai ancora nessun contatto",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Impossibile aggiungere l'utente come amministratore",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Failed to remove user from the admin list",
"copyMessage": "Copia testo del messaggio", "copyMessage": "Copia testo del messaggio",
"selectMessage": "Seleziona il messaggio", "selectMessage": "Seleziona il messaggio",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "Aggiornamento $name$...", "updateGroupDialogTitle": "Aggiornamento $name$...",
"showRecoveryPhrase": "Frase di recupero", "showRecoveryPhrase": "Frase di recupero",
"yourSessionID": "La tua Sessione ID", "yourSessionID": "La tua Sessione ID",
"setAccountPasswordTitle": "Imposta Password Account", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Richiedi la password per sbloccare Session.",
"changeAccountPasswordTitle": "Cambia la password dell'account", "changeAccountPasswordTitle": "Cambia Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Cambia la password richiesta per sbloccare Session.",
"removeAccountPasswordTitle": "Rimuovi Password Account", "removeAccountPasswordTitle": "Rimuovi password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Rimuovi la password richiesta per sbloccare Session.",
"enterPassword": "Per favore inserisci la tua password", "enterPassword": "Per favore inserisci la tua password",
"confirmPassword": "Conferna password", "confirmPassword": "Conferna password",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Si prega d'inserire la tua nuova password",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Conferma la nuova password",
"showRecoveryPhrasePasswordRequest": "Per favore inserisci la tua password", "showRecoveryPhrasePasswordRequest": "Per favore inserisci la tua password",
"recoveryPhraseSavePromptMain": "La frase di recupero è la chiave principale per la Sessione ID: puoi usarla per ripristinare la Sessione ID se perdi l'accesso al dispositivo. Conserva la frase di recupero in un luogo sicuro e non rivelarla a nessuno.", "recoveryPhraseSavePromptMain": "La frase di recupero è la chiave principale per la Sessione ID: puoi usarla per ripristinare la Sessione ID se perdi l'accesso al dispositivo. Conserva la frase di recupero in un luogo sicuro e non rivelarla a nessuno.",
"invalidOpenGroupUrl": "URL non valido", "invalidOpenGroupUrl": "URL non valido",
"copiedToClipboard": "Copiato negli appunti", "copiedToClipboard": "Copiato",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Inserisci Password",
"password": "Password", "password": "Password",
"setPassword": "Imposta password", "setPassword": "Imposta password",
"changePassword": "Cambia password", "changePassword": "Cambia password",
"createPassword": "Create your password", "createPassword": "Crea la tua password",
"removePassword": "Rimuovi password", "removePassword": "Rimuovi password",
"maxPasswordAttempts": "Password non valida. Vuoi resettare il database?", "maxPasswordAttempts": "Password non valida. Vuoi resettare il database?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Per favore inserisci la tua password",
"invalidOldPassword": "Vecchia password non valida", "invalidOldPassword": "Vecchia password non valida",
"invalidPassword": "Password non valida", "invalidPassword": "Password non valida",
"noGivenPassword": "Per favore inserisci la tua password", "noGivenPassword": "Per favore inserisci la tua password",
@ -295,14 +299,14 @@
"setPasswordInvalid": "Le password non coincidono", "setPasswordInvalid": "Le password non coincidono",
"changePasswordInvalid": "La vecchia password inserita non è corretta", "changePasswordInvalid": "La vecchia password inserita non è corretta",
"removePasswordInvalid": "Password non corretta", "removePasswordInvalid": "Password non corretta",
"setPasswordTitle": "Imposta password", "setPasswordTitle": "Password Impostata",
"changePasswordTitle": "Cambia Password", "changePasswordTitle": "Password Cambiata",
"removePasswordTitle": "Password rimossa", "removePasswordTitle": "Password Rimosssa",
"setPasswordToastDescription": "La password è stata impostata. Si prega di tenerla al sicuro.", "setPasswordToastDescription": "La password è stata impostata. Si prega di tenerla al sicuro.",
"changePasswordToastDescription": "La tua password è stata modificata. Per favore tienila al sicuro.", "changePasswordToastDescription": "La tua password è stata modificata. Per favore tienila al sicuro.",
"removePasswordToastDescription": "Hai rimosso la tua password.", "removePasswordToastDescription": "La tua password è stata rimossa.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Impossibile entrare nel gruppo",
"connectingToServer": "Connessione in corso...", "connectingToServer": "Connessione in corso...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Successfully connected to community",
"setPasswordFail": "Impossibile impostare la password", "setPasswordFail": "Impossibile impostare la password",
@ -316,15 +320,15 @@
"editProfileModalTitle": "Profilo", "editProfileModalTitle": "Profilo",
"groupNamePlaceholder": "Nome Del Gruppo", "groupNamePlaceholder": "Nome Del Gruppo",
"inviteContacts": "Invita Amici", "inviteContacts": "Invita Amici",
"addModerators": "Add Admins", "addModerators": "Aggiungi Admin",
"removeModerators": "Remove Admins", "removeModerators": "Remove Admins",
"addAsModerator": "Add as Admin", "addAsModerator": "Add as Admin",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Rimuovi Da Admin",
"add": "Aggiungi", "add": "Aggiungi",
"addingContacts": "Aggiungi contatti a", "addingContacts": "Aggiungi contatti a",
"noContactsToAdd": "Nessun contatto da aggiungere", "noContactsToAdd": "Nessun contatto da aggiungere",
"noMembersInThisGroup": "Nessun altro membro di questo gruppo", "noMembersInThisGroup": "Nessun altro membro di questo gruppo",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "nessun amministratore da rimuovere",
"onlyAdminCanRemoveMembers": "Non sei il creatore", "onlyAdminCanRemoveMembers": "Non sei il creatore",
"onlyAdminCanRemoveMembersDesc": "Solo il creatore del gruppo può rimuovere gli utenti", "onlyAdminCanRemoveMembersDesc": "Solo il creatore del gruppo può rimuovere gli utenti",
"createAccount": "Create Account", "createAccount": "Create Account",
@ -344,40 +348,43 @@
"linkDevice": "Collega dispositivo", "linkDevice": "Collega dispositivo",
"restoreUsingRecoveryPhrase": "Ripristina il tuo account", "restoreUsingRecoveryPhrase": "Ripristina il tuo account",
"or": "o", "or": "o",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Utilizzando questo servizio, accetti i nostri <a href=\"https://getsession.org/terms-of-service \">Termini di Servizio</a> e <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Informativa sulla privacy</a>",
"beginYourSession": "Inizia la tua Session.", "beginYourSession": "Inizia la tua Session.",
"welcomeToYourSession": "Benvenuto su Session", "welcomeToYourSession": "Benvenuto su Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Cerca conversazioni e contatti",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Cerca contatti",
"enterSessionID": "Inserisci la Sessione ID", "enterSessionID": "Inserisci la Sessione ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS",
"message": "Messaggio", "message": "Messaggio",
"appearanceSettingsTitle": "Aspetto", "appearanceSettingsTitle": "Aspetto",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifiche", "notificationsSettingsTitle": "Notifiche",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Contenuto della notifica",
"notificationPreview": "Anteprima",
"recoveryPhraseEmpty": "Inserisci la frase di recupero", "recoveryPhraseEmpty": "Inserisci la frase di recupero",
"displayNameEmpty": "Scegli il nome da visualizzare", "displayNameEmpty": "Scegli il nome da visualizzare",
"displayNameTooLong": "Display name is too long",
"members": "$count$ membri", "members": "$count$ membri",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Unisciti",
"createGroup": "Create Group", "joinOpenGroup": "Unisciti Alla Comunità",
"create": "Create", "createGroup": "Crea Gruppo",
"create": "Crea",
"createClosedGroupNamePrompt": "Nome Del Gruppo", "createClosedGroupNamePrompt": "Nome Del Gruppo",
"createClosedGroupPlaceholder": "Inserisci un nome per il gruppo", "createClosedGroupPlaceholder": "Inserisci un nome per il gruppo",
"openGroupURL": "Community URL", "openGroupURL": "URL della Community",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Inserisci URL della Community",
"next": "Avanti", "next": "Avanti",
"invalidGroupNameTooShort": "Inserisci un nome per il gruppo", "invalidGroupNameTooShort": "Inserisci un nome per il gruppo",
"invalidGroupNameTooLong": "Inserisci un nome gruppo più breve", "invalidGroupNameTooLong": "Inserisci un nome gruppo più breve",
"pickClosedGroupMember": "Scegli almeno 2 membri del gruppo", "pickClosedGroupMember": "Scegli almeno 2 membri del gruppo",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Un gruppo chiuso non può avere più di 100 membri",
"noBlockedContacts": "Nessun contatto bloccato", "noBlockedContacts": "Non hai contatti bloccati.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Utente aggiunto alla lista moderatori",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Utente rimosso dalla lista moderatori",
"orJoinOneOfThese": "Oppure unisciti a uno di questi...", "orJoinOneOfThese": "Oppure unisciti a uno di questi...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Traduci Session",
"closedGroupInviteFailTitle": "Invito Di Gruppo Non Riuscito", "closedGroupInviteFailTitle": "Invito Di Gruppo Non Riuscito",
"closedGroupInviteFailTitlePlural": "Inviti Di Gruppo Non Riusciti", "closedGroupInviteFailTitlePlural": "Inviti Di Gruppo Non Riusciti",
"closedGroupInviteFailMessage": "Impossibile invitare con successo un membro del gruppo", "closedGroupInviteFailMessage": "Impossibile invitare con successo un membro del gruppo",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Riprova gli inviti", "closedGroupInviteOkText": "Riprova gli inviti",
"closedGroupInviteSuccessTitlePlural": "Inviti Di Gruppo Completati", "closedGroupInviteSuccessTitlePlural": "Inviti Di Gruppo Completati",
"closedGroupInviteSuccessTitle": "Invito Di Gruppo Riuscito", "closedGroupInviteSuccessTitle": "Invito Di Gruppo Riuscito",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Membri del gruppo invitati con successo",
"notificationForConvo": "Notifiche", "notificationForConvo": "Notifiche",
"notificationForConvo_all": "Tutte", "notificationForConvo_all": "Tutte",
"notificationForConvo_disabled": "Non attivo", "notificationForConvo_disabled": "Non attivo",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Aprire questo collegamento sul tuo browser?", "linkVisitWarningTitle": "Aprire questo collegamento sul tuo browser?",
"linkVisitWarningMessage": "Sei sicuro di voler aprire $url$ nel tuo browser?", "linkVisitWarningMessage": "Sei sicuro di voler aprire $url$ nel tuo browser?",
"open": "Apri", "open": "Apri",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Riproduzione automatica dei messaggi vocali",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Riproduzione automatica di messaggi vocali consecutivi.",
"clickToTrustContact": "Clicca per scaricare i media", "clickToTrustContact": "Clicca per scaricare i media",
"trustThisContactDialogTitle": "Ti fidi di $name$?", "trustThisContactDialogTitle": "Ti fidi di $name$?",
"trustThisContactDialogDescription": "Sei sicuro di voler scaricare i media inviati da $name$?", "trustThisContactDialogDescription": "Sei sicuro di voler scaricare i media inviati da $name$?",
"pinConversation": "Fissa conversazione", "pinConversation": "Fissa conversazione",
"unpinConversation": "Rimuovi conversazione", "unpinConversation": "Rimuovi conversazione",
"markUnread": "Mark Unread",
"showUserDetails": "Mostra Dettagli Utente", "showUserDetails": "Mostra Dettagli Utente",
"sendRecoveryPhraseTitle": "Invio Frase Di Recupero", "sendRecoveryPhraseTitle": "Invio Frase Di Recupero",
"sendRecoveryPhraseMessage": "Stai tentando di inviare la frase di recupero che può essere utilizzata per accedere al tuo account. Sei sicuro di voler inviare questo messaggio?", "sendRecoveryPhraseMessage": "Stai tentando di inviare la frase di recupero che può essere utilizzata per accedere al tuo account. Sei sicuro di voler inviare questo messaggio?",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "Dati non eliminati a causa di un errore sconosciuto. Vuoi eliminare i dati solo da questo dispositivo?", "dialogClearAllDataDeletionFailedDesc": "Dati non eliminati a causa di un errore sconosciuto. Vuoi eliminare i dati solo da questo dispositivo?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Vuoi eliminare i dati solo da questo dispositivo?", "dialogClearAllDataDeletionFailedTitleQuestion": "Vuoi eliminare i dati solo da questo dispositivo?",
"dialogClearAllDataDeletionFailedMultiple": "Dati non eliminati da questi nodi di servizio: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Dati non eliminati da questi nodi di servizio: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Vuoi solo cancellare questo dispositivo o anche eliminare i tuoi dati dalla rete?",
"deviceOnly": "Clear Device Only", "clearDevice": "Cancella solo il dispositivo",
"entireAccount": "Clear Device and Network", "tryAgain": "Riprova",
"areYouSureClearDevice": "Sei sicuro di voler cancellare il tuo dispositivo?",
"deviceOnly": "Cancella solo il dispositivo",
"entireAccount": "Cancellare il dispositivo e la rete",
"areYouSureDeleteDeviceOnly": "Sei sicuro di voler cancellare i dati solo sul tuo dispositivo?", "areYouSureDeleteDeviceOnly": "Sei sicuro di voler cancellare i dati solo sul tuo dispositivo?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Sei sicuro di voler cancellare i tuoi dati dalla rete? Se continui non potrai più recuperare i tuoi messaggi o contatti.",
"iAmSure": "Sono sicuro", "iAmSure": "Sono sicuro",
"recoveryPhraseSecureTitle": "Hai quasi finito!", "recoveryPhraseSecureTitle": "Hai quasi finito!",
"recoveryPhraseRevealMessage": "Proteggi il tuo account salvando la tua frase di recupero. Mostra la tua frase di recupero, quindi salvala in modo sicuro per proteggerla.", "recoveryPhraseRevealMessage": "Proteggi il tuo account salvando la tua frase di recupero. Mostra la tua frase di recupero, quindi salvala in modo sicuro per proteggerla.",
"recoveryPhraseRevealButtonText": "Mostra Frase di Recupero", "recoveryPhraseRevealButtonText": "Mostra Frase di Recupero",
"notificationSubtitle": "Notifiche - $setting$", "notificationSubtitle": "Notifiche - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Ci piacerebbe avere un tuo feedback",
"faq": "FAQ", "faq": "FAQ",
"support": "Support", "support": "Assistenza",
"clearAll": "Cancella tutto", "clearAll": "Cancella tutto",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Elimina dati",
"messageRequests": "Richieste Di Messaggio", "messageRequests": "Richieste Di Messaggio",
"requestsSubtitle": "Richieste in Attesa", "requestsSubtitle": "Richieste in Attesa",
"requestsPlaceholder": "Nessuna richiesta", "requestsPlaceholder": "Nessuna richiesta",
@ -438,8 +449,8 @@
"accept": "Accetta", "accept": "Accetta",
"decline": "Rifiuta", "decline": "Rifiuta",
"endCall": "Termina chiamata", "endCall": "Termina chiamata",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Permessi",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Aiuto",
"cameraPermissionNeededTitle": "Autorizzazioni di chiamata vocale/video richieste", "cameraPermissionNeededTitle": "Autorizzazioni di chiamata vocale/video richieste",
"cameraPermissionNeeded": "È possibile abilitare l'autorizzazione 'Voce e videochiamate' nelle Impostazioni Privacy.", "cameraPermissionNeeded": "È possibile abilitare l'autorizzazione 'Voce e videochiamate' nelle Impostazioni Privacy.",
"unableToCall": "Annulla prima la tua chiamata in corso", "unableToCall": "Annulla prima la tua chiamata in corso",
@ -449,12 +460,12 @@
"noCameraFound": "Nessuna fotocamera è stata trovata", "noCameraFound": "Nessuna fotocamera è stata trovata",
"noAudioInputFound": "Nessun ingresso audio trovato", "noAudioInputFound": "Nessun ingresso audio trovato",
"noAudioOutputFound": "Nessuna uscita audio trovata", "noAudioOutputFound": "Nessuna uscita audio trovata",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Chiamate vocali e video (Beta)",
"callMissedCausePermission": "Chiamata persa da '$name$' perché è necessario abilitare l'autorizzazione 'Voce e videochiamate' nelle Impostazioni Privacy.", "callMissedCausePermission": "Chiamata persa da '$name$' perché è necessario abilitare l'autorizzazione 'Voce e videochiamate' nelle Impostazioni Privacy.",
"callMissedNotApproved": "Chiamata persa da '$name$' poiché non hai ancora approvato questa conversazione. Invia prima un messaggio.", "callMissedNotApproved": "Chiamata persa da '$name$' poiché non hai ancora approvato questa conversazione. Invia prima un messaggio.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Abilita chiamate vocali e video da e verso altri utenti.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Il tuo indirizzo IP è visibile al tuo partner di chiamata e a un server della Oxen Foundation durante l'utilizzo delle chiamate beta. Sei sicuro di voler abilitare le chiamate vocali e video?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Chiamate vocali e video (Beta)",
"startedACall": "Hai chiamato $name$", "startedACall": "Hai chiamato $name$",
"answeredACall": "Chiamata con $name$", "answeredACall": "Chiamata con $name$",
"trimDatabase": "Pulisci Database", "trimDatabase": "Pulisci Database",
@ -466,27 +477,32 @@
"messageRequestAcceptedOurs": "Hai accettato la richiesta di messaggio di $name$", "messageRequestAcceptedOurs": "Hai accettato la richiesta di messaggio di $name$",
"messageRequestAcceptedOursNoName": "Hai accettato la richiesta di messaggio", "messageRequestAcceptedOursNoName": "Hai accettato la richiesta di messaggio",
"declineRequestMessage": "Sei sicuro di voler rifiutare questa richiesta di messaggio?", "declineRequestMessage": "Sei sicuro di voler rifiutare questa richiesta di messaggio?",
"respondingToRequestWarning": "L'invio di un messaggio a questo utente approverà automaticamente la sua richiesta di messaggio e rivelerà l'ID della sessione.", "respondingToRequestWarning": "L'invio di un messaggio a questo utente approverà automaticamente la sua richiesta di messaggio e rivelerà l'ID di Session.",
"hideRequestBanner": "Nascondi Banner Di Richiesta Messaggio", "hideRequestBanner": "Nascondi Banner Di Richiesta Messaggio",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Richieste Di Messaggio",
"noMessageRequestsPending": "Nessuna richiesta di messaggi in sospeso", "noMessageRequestsPending": "Nessuna richiesta di messaggi in sospeso",
"noMediaUntilApproved": "Non è possibile inviare allegati finché la conversazione non sarà approvata", "noMediaUntilApproved": "Non è possibile inviare allegati finché la conversazione non sarà approvata",
"mustBeApproved": "Questa conversazione deve essere accettata per usare questa funzione", "mustBeApproved": "Questa conversazione deve essere accettata per usare questa funzione",
"youHaveANewFriendRequest": "Hai una nuova richiesta d'amicizia", "youHaveANewFriendRequest": "Hai una nuova richiesta d'amicizia",
"clearAllConfirmationTitle": "Elimina Tutte Le Richieste Di Messaggio", "clearAllConfirmationTitle": "Elimina Tutte Le Richieste Di Messaggio",
"clearAllConfirmationBody": "Sei sicuro di voler eliminare tutte le richieste di messaggio?", "clearAllConfirmationBody": "Sei sicuro di voler eliminare tutte le richieste di messaggio?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Nascondi", "hideBanner": "Nascondi",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Casella di richieste messaggio", "openMessageRequestInboxDescription": "Casella di richieste messaggio",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Sei sicuro di voler cancellare tutte le $emoji$?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Mostra meno",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Ha reagito al messaggio con $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Rallenta! Hai inviato troppe reazioni emoji. Riprova più tardi",
"otherPlural": "$number$ others", "otherSingular": "$number$ altro",
"reactionPopup": "reacted with", "otherPlural": "$number$ altri",
"reactionPopup": "ha reagito con",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "E $otherSingular$ ha reagito con <span>$emoji$</span> a questo messaggio",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message"
} }

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "フルスクリーンを切り替える", "viewMenuToggleFullScreen": "フルスクリーンを切り替える",
"viewMenuToggleDevTools": "開発者ツールを切り替える", "viewMenuToggleDevTools": "開発者ツールを切り替える",
"contextMenuNoSuggestions": "候補はありません", "contextMenuNoSuggestions": "候補はありません",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "コミュニティへの招待",
"joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$に参加しますか?", "joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$に参加しますか?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "$roomName$の公開グループに参加しますか?",
"couldntFindServerMatching": "対応する公開グループのサーバが見つかりませんでした", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Session ID か ONS 名を入力してください", "enterSessionIDOrONSName": "Session ID か ONS 名を入力してください",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "新しい会話を始めるには、セッションIDを入力するか、セッションIDを共有します。",
"loading": "読込中...", "loading": "読込中...",
"done": "完了", "done": "完了",
"youLeftTheGroup": "グループを抜けました", "youLeftTheGroup": "グループを抜けました",
"youGotKickedFromGroup": "あなたはこのグループから削除されました", "youGotKickedFromGroup": "あなたはこのグループから削除されました",
"unreadMessages": "未読", "unreadMessages": "未読",
"debugLogExplanation": "このログはデスクトップに保存されます。", "debugLogExplanation": "このログはデスクトップに保存されます。",
"reportIssue": "Report a Bug", "reportIssue": "バグを報告",
"markAllAsRead": "すべて既読にする", "markAllAsRead": "すべて既読にする",
"incomingError": "受信中にエラー", "incomingError": "受信中にエラー",
"media": "メディア", "media": "メディア",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "添付中にエラーが発生しました。", "unableToLoadAttachment": "添付中にエラーが発生しました。",
"offline": "オフライン", "offline": "オフライン",
"debugLog": "デバッグログ", "debugLog": "デバッグログ",
"showDebugLog": "Export Logs", "showDebugLog": "ログのエクスポート",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "ログをエクスポートし、Sessionのヘルプデスクにてファイルをアップロードします。",
"goToReleaseNotes": "リリースノートを閲覧", "goToReleaseNotes": "リリースノートを閲覧",
"goToSupportPage": "サポートページへ", "goToSupportPage": "サポートページへ",
"about": "Sessionについて", "about": "Sessionについて",
@ -72,7 +72,7 @@
"noSearchResults": "「%s」に一致する情報は見つかりませんでした。", "noSearchResults": "「%s」に一致する情報は見つかりませんでした。",
"conversationsHeader": "連絡先とグループ", "conversationsHeader": "連絡先とグループ",
"contactsHeader": "連絡先", "contactsHeader": "連絡先",
"messagesHeader": "メッセージ", "messagesHeader": "Conversations",
"settingsHeader": "設定", "settingsHeader": "設定",
"typingAlt": "この会話のためのタイピングアニメーション", "typingAlt": "この会話のためのタイピングアニメーション",
"contactAvatarAlt": "$name$のアイコン", "contactAvatarAlt": "$name$のアイコン",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "$count$個のメッセージを削除しますか?", "deleteMessagesQuestion": "$count$個のメッセージを削除しますか?",
"deleteMessageQuestion": "このメッセージを削除しますか?", "deleteMessageQuestion": "このメッセージを削除しますか?",
"deleteMessages": "メッセージを削除", "deleteMessages": "メッセージを削除",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ が削除されました", "deleted": "$count$ が削除されました",
"messageDeletedPlaceholder": "このメッセージは削除されました", "messageDeletedPlaceholder": "このメッセージは削除されました",
"from": "差出人:", "from": "差出人:",
@ -107,13 +108,14 @@
"sent": "送信", "sent": "送信",
"received": "受信", "received": "受信",
"sendMessage": "メッセージ", "sendMessage": "メッセージ",
"groupMembers": "グループメンバー", "groupMembers": "メンバー",
"moreInformation": "詳細", "moreInformation": "詳細",
"resend": "再送", "resend": "再送",
"deleteConversationConfirmation": "この会話を完全に消去しますが,よろしいですか?", "deleteConversationConfirmation": "この会話を完全に消去しますが,よろしいですか?",
"clear": "Clear", "clear": "消去",
"clearAllData": "すべてのデータを消去する", "clearAllData": "すべてのデータを消去する",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "メッセージと連絡先が完全に削除されます",
"deleteAccountFromLogin": "本当に端末から消去してもよろしいですか?",
"deleteContactConfirmation": "この会話を削除してもよろしいですか?", "deleteContactConfirmation": "この会話を削除してもよろしいですか?",
"quoteThumbnailAlt": "引用されたメッセージから画像のサムネール", "quoteThumbnailAlt": "引用されたメッセージから画像のサムネール",
"imageAttachmentAlt": "メッセージにイメージを添付する", "imageAttachmentAlt": "メッセージにイメージを添付する",
@ -129,44 +131,44 @@
"tookAScreenshot": "$name$はスクリーンショットを撮りました。", "tookAScreenshot": "$name$はスクリーンショットを撮りました。",
"savedTheFile": "$name$ でメディアを保存しました", "savedTheFile": "$name$ でメディアを保存しました",
"linkPreviewsTitle": "リンクプレビューを送る", "linkPreviewsTitle": "リンクプレビューを送る",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "サポートされている URL のリンクプレビューを表示します。",
"linkPreviewsConfirmMessage": "リンクのプレビューを送信するとき、完全なメタデータ保護はありません。", "linkPreviewsConfirmMessage": "リンクのプレビューを送信するとき、完全なメタデータ保護はありません。",
"mediaPermissionsTitle": "マイク", "mediaPermissionsTitle": "マイク",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "マイクへのアクセスを許可する.",
"spellCheckTitle": "スペルチェック", "spellCheckTitle": "スペルチェック",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "メッセージを入力するときにスペルチェックを有効にします。",
"spellCheckDirty": "新しい設定を適用するために Session を再起動する必要があります", "spellCheckDirty": "新しい設定を適用するために Session を再起動する必要があります",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "1対1のチャットで既読通知を送信します。",
"readReceiptSettingTitle": "既読通知", "readReceiptSettingTitle": "既読通知",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "入力中の表示を1対1のチャットで相手に表示します。",
"typingIndicatorsSettingTitle": "入力中アイコン", "typingIndicatorsSettingTitle": "入力中アイコン",
"zoomFactorSettingTitle": "ズーム", "zoomFactorSettingTitle": "ズーム",
"themesSettingTitle": "Themes", "themesSettingTitle": "テーマ",
"primaryColor": "Primary Color", "primaryColor": "プライマリーカラー",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "プライマリーカラー 緑",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "プライマリーカラー 青",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "プライマリーカラー 黄色",
"primaryColorPink": "Primary color pink", "primaryColorPink": "プライマリーカラー ピンク",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "プライマリーカラー 紫",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "プライマリーカラー オレンジ",
"primaryColorRed": "Primary color red", "primaryColorRed": "プライマリーカラー 赤",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "クラシック ダーク",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "クラシック ライト",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "オーシャンダーク",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "オーシャンライト",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "コミュニティをトリムする",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "2,000件以上のメッセージを持つコミュニティから6ヶ月以上のメッセージを削除します。",
"enable": "有効にする", "enable": "有効にする",
"keepDisabled": "無効のままにする", "keepDisabled": "無効のままにする",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "通知に表示される情報",
"nameAndMessage": "差出人名とメッセージ", "nameAndMessage": "とメッセージ",
"noNameOrMessage": "なし", "noNameOrMessage": "なし",
"nameOnly": "差出人名のみ", "nameOnly": "差出人名のみ",
"newMessage": "新着メッセージ", "newMessage": "新着メッセージ",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "新しい連絡先と会話を作成する",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "既存の連絡先でグループを作成",
"joinACommunity": "Join a community", "joinACommunity": "コミュニティに参加する",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "会話を開始するアクションを選択してください",
"newMessages": "新着メッセージ", "newMessages": "新着メッセージ",
"notificationMostRecentFrom": "最新の受信: $name$", "notificationMostRecentFrom": "最新の受信: $name$",
"notificationFrom": "差出人:", "notificationFrom": "差出人:",
@ -174,7 +176,7 @@
"sendFailed": "送信失敗", "sendFailed": "送信失敗",
"mediaMessage": "メディアでのメッセージ", "mediaMessage": "メディアでのメッセージ",
"messageBodyMissing": "メッセージを入力してください", "messageBodyMissing": "メッセージを入力してください",
"messageBody": "Message body", "messageBody": "メッセージ本文",
"unblockToSend": "この連絡先にメッセージを送るためにブロックを解除する。", "unblockToSend": "この連絡先にメッセージを送るためにブロックを解除する。",
"unblockGroupToSend": "このグループにメッセージを送信するには、ブロックを解除してください。", "unblockGroupToSend": "このグループにメッセージを送信するには、ブロックを解除してください。",
"youChangedTheTimer": "消えるメッセージの消去時間を$time$に設定しました", "youChangedTheTimer": "消えるメッセージの消去時間を$time$に設定しました",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12時間", "timerOption_12_hours": "12時間",
"timerOption_1_day": "1日", "timerOption_1_day": "1日",
"timerOption_1_week": "1週間", "timerOption_1_week": "1週間",
"timerOption_2_weeks": "2 週間",
"disappearingMessages": "消えるメッセージ", "disappearingMessages": "消えるメッセージ",
"changeNickname": "ニックネームを変更", "changeNickname": "ニックネームを変更",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12時間", "timerOption_12_hours_abbreviated": "12時間",
"timerOption_1_day_abbreviated": "1日", "timerOption_1_day_abbreviated": "1日",
"timerOption_1_week_abbreviated": "1週間", "timerOption_1_week_abbreviated": "1週間",
"timerOption_2_weeks_abbreviated": "2週目",
"disappearingMessagesDisabled": "消えるメッセージが無効にされました", "disappearingMessagesDisabled": "消えるメッセージが無効にされました",
"disabledDisappearingMessages": "$name$ が消えるメッセージを無効にしました。", "disabledDisappearingMessages": "$name$ は消えているメッセージをオフにしました.",
"youDisabledDisappearingMessages": "消えるメッセージを無効にしました。", "youDisabledDisappearingMessages": "消えるメッセージを無効にしました。",
"timerSetTo": "消えるメッセージの消去時間が$time$に設定されました", "timerSetTo": "消えるメッセージの消去時間が$time$に設定されました",
"noteToSelf": "自分用メモ", "noteToSelf": "自分用メモ",
"hideMenuBarTitle": "メニューバーを隠す", "hideMenuBarTitle": "メニューバーを隠す",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "メニューバーの表示を切り替える.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "不正な番号です", "invalidNumberError": "セッションIDまたはONS名を確認して再度お試しください。",
"failedResolveOns": "ONS名の解決に失敗しました", "failedResolveOns": "ONS名の解決に失敗しました",
"autoUpdateSettingTitle": "自動更新", "autoUpdateSettingTitle": "自動更新",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "起動時に自動的に更新の有無を確認する.",
"autoUpdateNewVersionTitle": "Sessionの新しい更新があります", "autoUpdateNewVersionTitle": "Sessionの新しい更新があります",
"autoUpdateNewVersionMessage": "新しく生まれ変わったSessionがあります", "autoUpdateNewVersionMessage": "新しく生まれ変わったSessionがあります",
"autoUpdateNewVersionInstructions": "更新を適用するにはSessionを再起動してください。", "autoUpdateNewVersionInstructions": "更新を適用するにはSessionを再起動してください。",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$がグループに加わりました", "multipleJoinedTheGroup": "$name$がグループに加わりました",
"kickedFromTheGroup": "$name$ はグループから削除されました。", "kickedFromTheGroup": "$name$ はグループから削除されました。",
"multipleKickedFromTheGroup": "$name$ はグループから削除されました。", "multipleKickedFromTheGroup": "$name$ はグループから削除されました。",
"blockUser": "ブロック", "block": "Block",
"unblockUser": "ブロック解除", "unblock": "Unblock",
"unblocked": "ブロック解除", "unblocked": "ブロック解除",
"blocked": "ブロック済み", "blocked": "ブロック済み",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "ブロックされた連絡先",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "会話",
"unbanUser": "ユーザーの禁止解除", "unbanUser": "ユーザーの禁止解除",
"userUnbanned": "ユーザーの禁止解除に成功しました", "userUnbanned": "ユーザーの禁止解除に成功しました",
"userUnbanFailed": "禁止解除に失敗しました!", "userUnbanFailed": "禁止解除に失敗しました!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "禁止に失敗しました!", "userBanFailed": "禁止に失敗しました!",
"leaveGroup": "グループを抜ける", "leaveGroup": "グループを抜ける",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "グループから脱退し、全員を削除",
"leaveGroupConfirmation": "このグループを退会しますか?", "leaveGroupConfirmation": "このグループを退会しますか?",
"leaveGroupConfirmationAdmin": "あなたがこのグループの管理者であるため、退会すると現在のすべてのメンバーが削除されます。 本当にこのグループから脱退しますか?", "leaveGroupConfirmationAdmin": "あなたがこのグループの管理者であるため、退会すると現在のすべてのメンバーが削除されます。 本当にこのグループから脱退しますか?",
"cannotRemoveCreatorFromGroup": "このユーザーを削除できません", "cannotRemoveCreatorFromGroup": "このユーザーを削除できません",
"cannotRemoveCreatorFromGroupDesc": "グループの作成者であるため、このユーザーを削除できません。", "cannotRemoveCreatorFromGroupDesc": "グループの作成者であるため、このユーザーを削除できません。",
"noContactsForGroup": "まだ連絡先がありません", "noContactsForGroup": "まだ連絡先がありません",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "ユーザーを管理者として追加できませんでした",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "管理者リストからユーザーを削除できませんでした",
"copyMessage": "メッセージをコピー", "copyMessage": "メッセージをコピー",
"selectMessage": "メッセージを選択", "selectMessage": "メッセージを選択",
"editGroup": "グループを編集する", "editGroup": "グループを編集する",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "$name$を更新中...", "updateGroupDialogTitle": "$name$を更新中...",
"showRecoveryPhrase": "リカバリーフレーズ", "showRecoveryPhrase": "リカバリーフレーズ",
"yourSessionID": "あなたの Session ID", "yourSessionID": "あなたの Session ID",
"setAccountPasswordTitle": "アカウントのパスワード設定", "setAccountPasswordTitle": "パスワード",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "セッションのロック解除にはパスワードが必要です。",
"changeAccountPasswordTitle": "パスワード変更", "changeAccountPasswordTitle": "パスワード変更",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "セッションのロック解除に必要なパスワードを変更します。",
"removeAccountPasswordTitle": "パスワード削除", "removeAccountPasswordTitle": "パスワード削除",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "セッションのロック解除に必要なパスワードを削除します。",
"enterPassword": "パスワードを入力してください", "enterPassword": "パスワードを入力してください",
"confirmPassword": "パスワードを再確認", "confirmPassword": "パスワードを再確認",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "新しいパスワードを入力してください",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "新しいパスワードを確認",
"showRecoveryPhrasePasswordRequest": "パスワードを入力してください", "showRecoveryPhrasePasswordRequest": "パスワードを入力してください",
"recoveryPhraseSavePromptMain": "リカバリーフレーズは、Session ID のマスターキーです。端末にアクセスできなくなった場合、これを使用して Session ID を復元できます。リカバリーフレーズを安全な場所に保管し、誰にも教えないでください。", "recoveryPhraseSavePromptMain": "リカバリーフレーズは、Session ID のマスターキーです。端末にアクセスできなくなった場合、これを使用して Session ID を復元できます。リカバリーフレーズを安全な場所に保管し、誰にも教えないでください。",
"invalidOpenGroupUrl": "URL が無効です", "invalidOpenGroupUrl": "URL が無効です",
"copiedToClipboard": "クリップボードにコピーされました", "copiedToClipboard": "コピーしました",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "パスワードを入力してください",
"password": "パスワード", "password": "パスワード",
"setPassword": "パスワードを設定", "setPassword": "パスワードを設定",
"changePassword": "パスワードを変更", "changePassword": "パスワードを変更",
"createPassword": "Create your password", "createPassword": "パスワードを作成してください",
"removePassword": "パスワードを削除", "removePassword": "パスワードを削除",
"maxPasswordAttempts": "パスワードが無効です。データベースをリセットしますか?", "maxPasswordAttempts": "パスワードが無効です。データベースをリセットしますか?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "現在のパスワードを入力してください",
"invalidOldPassword": "古いパスワードが無効です。", "invalidOldPassword": "古いパスワードが無効です。",
"invalidPassword": "無効なパスワード", "invalidPassword": "無効なパスワード",
"noGivenPassword": "パスワードを入力してください", "noGivenPassword": "パスワードを入力してください",
@ -295,16 +299,16 @@
"setPasswordInvalid": "パスワードが一致しません", "setPasswordInvalid": "パスワードが一致しません",
"changePasswordInvalid": "入力した古いパスワードが間違っています", "changePasswordInvalid": "入力した古いパスワードが間違っています",
"removePasswordInvalid": "パスワードが正しくありません", "removePasswordInvalid": "パスワードが正しくありません",
"setPasswordTitle": "パスワード設定", "setPasswordTitle": "パスワード設定",
"changePasswordTitle": "パスワードを変更", "changePasswordTitle": "パスワードを変更しました",
"removePasswordTitle": "パスワードを削除", "removePasswordTitle": "パスワードを削除しました",
"setPasswordToastDescription": "パスワードが設定されました。安全に保管してください。", "setPasswordToastDescription": "パスワードが設定されました。安全に保管してください。",
"changePasswordToastDescription": "パスワードが変更されました。安全に保管してください。", "changePasswordToastDescription": "パスワードが変更されました。安全に保管してください。",
"removePasswordToastDescription": "パスワードを削除しました。", "removePasswordToastDescription": "パスワードを削除しました。",
"publicChatExists": "You are already connected to this community", "publicChatExists": "既にこのコミュニティに接続されています",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "コミュニティに参加できませんでした",
"connectingToServer": "接続中...", "connectingToServer": "接続中...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "コミュニティに正常に接続しました",
"setPasswordFail": "パスワードの設定に失敗しました", "setPasswordFail": "パスワードの設定に失敗しました",
"passwordLengthError": "パスワードの長さを6文字から64文字にしてください", "passwordLengthError": "パスワードの長さを6文字から64文字にしてください",
"passwordTypeError": "パスワードは文字列でなければいけません", "passwordTypeError": "パスワードは文字列でなければいけません",
@ -316,20 +320,20 @@
"editProfileModalTitle": "プロフィール", "editProfileModalTitle": "プロフィール",
"groupNamePlaceholder": "グループ名", "groupNamePlaceholder": "グループ名",
"inviteContacts": "友達にオススメする", "inviteContacts": "友達にオススメする",
"addModerators": "Add Admins", "addModerators": "管理者を追加する",
"removeModerators": "Remove Admins", "removeModerators": "管理者権限を削除",
"addAsModerator": "Add as Admin", "addAsModerator": "管理人を追加する",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "管理者権限を削除",
"add": "追加", "add": "追加",
"addingContacts": "連絡先を追加", "addingContacts": "連絡先を追加",
"noContactsToAdd": "追加できる連絡先がありません", "noContactsToAdd": "追加できる連絡先がありません",
"noMembersInThisGroup": "このグループには他のメンバーがいません。", "noMembersInThisGroup": "このグループには他のメンバーがいません。",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "削除する管理者がいません",
"onlyAdminCanRemoveMembers": "あなたは作成者ではありません", "onlyAdminCanRemoveMembers": "あなたは作成者ではありません",
"onlyAdminCanRemoveMembersDesc": "グループの作成者のみがユーザーを削除できます", "onlyAdminCanRemoveMembersDesc": "グループの作成者のみがユーザーを削除できます",
"createAccount": "アカウントを作成", "createAccount": "アカウントを作成",
"startInTrayTitle": "システムトレイに常駐", "startInTrayTitle": "システムトレイに常駐",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "ウィンドウを閉じても、バックグラウンドでSessionを実行し続ける。",
"yourUniqueSessionID": "Session ID をご紹介します", "yourUniqueSessionID": "Session ID をご紹介します",
"allUsersAreRandomly...": "Session ID は、Session で連絡を取るために使用できる一意のアドレスです。本当のアイデンティティに関係なく、あなたの Session ID は設計上完全に匿名でプライベートです。", "allUsersAreRandomly...": "Session ID は、Session で連絡を取るために使用できる一意のアドレスです。本当のアイデンティティに関係なく、あなたの Session ID は設計上完全に匿名でプライベートです。",
"getStarted": "はじめましょう", "getStarted": "はじめましょう",
@ -344,40 +348,43 @@
"linkDevice": "端末をリンクする", "linkDevice": "端末をリンクする",
"restoreUsingRecoveryPhrase": "アカウントを復元する", "restoreUsingRecoveryPhrase": "アカウントを復元する",
"or": "または", "or": "または",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "本サービスを利用する場合、<a href=\"https://getsession.org/terms-of-service \">利用規約</a>および<a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">プライバシーポリシー</a>に同意するものとします",
"beginYourSession": "セッションを始めましょう", "beginYourSession": "セッションを始めましょう",
"welcomeToYourSession": "Sessionにようこそ", "welcomeToYourSession": "Sessionにようこそ",
"searchFor...": "Search conversations and contacts", "searchFor...": "会話や連絡先を検索",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "連絡先を検索",
"enterSessionID": "Session ID を入力してください", "enterSessionID": "Session ID を入力してください",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "連絡先のセッションIDまたはONSを入力してください",
"message": "メッセージ", "message": "メッセージ",
"appearanceSettingsTitle": "デザイン設定", "appearanceSettingsTitle": "デザイン設定",
"privacySettingsTitle": "プライバシー", "privacySettingsTitle": "プライバシー",
"notificationsSettingsTitle": "通知", "notificationsSettingsTitle": "通知",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "通知内容",
"notificationPreview": "プレビュー",
"recoveryPhraseEmpty": "リカバリーフレーズを入力してください", "recoveryPhraseEmpty": "リカバリーフレーズを入力してください",
"displayNameEmpty": "表示名を選択してください", "displayNameEmpty": "表示名を選択してください",
"displayNameTooLong": "Display name is too long",
"members": "$count$ 人のメンバー", "members": "$count$ 人のメンバー",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "参加",
"createGroup": "Create Group", "joinOpenGroup": "コミュニティに参加する",
"create": "Create", "createGroup": "グループを作成",
"create": "作成する",
"createClosedGroupNamePrompt": "グループ名", "createClosedGroupNamePrompt": "グループ名",
"createClosedGroupPlaceholder": "グループ名を入力してください", "createClosedGroupPlaceholder": "グループ名を入力してください",
"openGroupURL": "Community URL", "openGroupURL": "コミュニティ URL",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "コミュニティ URL を入力してください",
"next": "進む", "next": "進む",
"invalidGroupNameTooShort": "グループ名を入力してください", "invalidGroupNameTooShort": "グループ名を入力してください",
"invalidGroupNameTooLong": "短いグループ名を入力してください", "invalidGroupNameTooLong": "短いグループ名を入力してください",
"pickClosedGroupMember": "グループメンバーを少なくとも 2 人選択してください", "pickClosedGroupMember": "グループメンバーを少なくとも 2 人選択してください",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "非公開グループは100人以上は入れません",
"noBlockedContacts": "ブロックしている連絡先はありません", "noBlockedContacts": "ブロックされた連絡先がありません。",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "管理者リストに追加されたユーザー",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "ユーザーを管理者リストから削除しました",
"orJoinOneOfThese": "または、以下のグループに参加する…", "orJoinOneOfThese": "または、以下のグループに参加する…",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "セッションを翻訳",
"closedGroupInviteFailTitle": "グループ招待に失敗しました", "closedGroupInviteFailTitle": "グループ招待に失敗しました",
"closedGroupInviteFailTitlePlural": "グループ招待に失敗", "closedGroupInviteFailTitlePlural": "グループ招待に失敗",
"closedGroupInviteFailMessage": "グループメンバーの招待に成功することができません", "closedGroupInviteFailMessage": "グループメンバーの招待に成功することができません",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "招待を再試行する", "closedGroupInviteOkText": "招待を再試行する",
"closedGroupInviteSuccessTitlePlural": "グループ招待が完了しました", "closedGroupInviteSuccessTitlePlural": "グループ招待が完了しました",
"closedGroupInviteSuccessTitle": "グループ招待に成功しました", "closedGroupInviteSuccessTitle": "グループ招待に成功しました",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "正常にグループメンバーを招待しました",
"notificationForConvo": "通知", "notificationForConvo": "通知",
"notificationForConvo_all": "すべて", "notificationForConvo_all": "すべて",
"notificationForConvo_disabled": "無効", "notificationForConvo_disabled": "無効",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "このリンクをブラウザで開きますか?", "linkVisitWarningTitle": "このリンクをブラウザで開きますか?",
"linkVisitWarningMessage": "ブラウザーで $url$ を開いてもよろしいですか?", "linkVisitWarningMessage": "ブラウザーで $url$ を開いてもよろしいですか?",
"open": "開く", "open": "開く",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "音声メッセージの自動再生",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "音声メッセージを自動再生します",
"clickToTrustContact": "クリックしてダウンロード", "clickToTrustContact": "クリックしてダウンロード",
"trustThisContactDialogTitle": "$name$ を信頼しますか?", "trustThisContactDialogTitle": "$name$ を信頼しますか?",
"trustThisContactDialogDescription": "$name$ が送信したメディアをダウンロードしてもよろしいですか?", "trustThisContactDialogDescription": "$name$ が送信したメディアをダウンロードしてもよろしいですか?",
"pinConversation": "会話をピン留めする", "pinConversation": "会話をピン留めする",
"unpinConversation": "会話のピン留めを外す", "unpinConversation": "会話のピン留めを外す",
"markUnread": "Mark Unread",
"showUserDetails": "ユーザーの詳細を表示", "showUserDetails": "ユーザーの詳細を表示",
"sendRecoveryPhraseTitle": "復元フレーズを送信中", "sendRecoveryPhraseTitle": "復元フレーズを送信中",
"sendRecoveryPhraseMessage": "あなたのアカウントにアクセスするため復元フレーズを送信しようとしています。このメッセージを送信してもよろしいですか?", "sendRecoveryPhraseMessage": "あなたのアカウントにアクセスするため復元フレーズを送信しようとしています。このメッセージを送信してもよろしいですか?",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "データは不明なエラーにより削除されませんでした。このデバイスからデータを削除しますか?", "dialogClearAllDataDeletionFailedDesc": "データは不明なエラーにより削除されませんでした。このデバイスからデータを削除しますか?",
"dialogClearAllDataDeletionFailedTitleQuestion": "このデバイスからデータを削除しますか?", "dialogClearAllDataDeletionFailedTitleQuestion": "このデバイスからデータを削除しますか?",
"dialogClearAllDataDeletionFailedMultiple": "これらのサービスノードによって削除されなかったデータ: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "これらのサービスノードによって削除されなかったデータ: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "このデバイスのみを消去するか、ネットワークからデータを削除しますか?",
"deviceOnly": "Clear Device Only", "clearDevice": "デバイスを消去",
"entireAccount": "Clear Device and Network", "tryAgain": "再試行",
"areYouSureClearDevice": "本当に端末から消去してもよろしいですか?",
"deviceOnly": "端末のみ消去",
"entireAccount": "端末とネットワークを消去",
"areYouSureDeleteDeviceOnly": "本当にデバイスデータのみを削除しますか?", "areYouSureDeleteDeviceOnly": "本当にデバイスデータのみを削除しますか?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "ネットワークからデータを削除してもよろしいですか? 続行すると、メッセージや連絡先を復元することはできません。",
"iAmSure": "私は確信している", "iAmSure": "私は確信している",
"recoveryPhraseSecureTitle": "もう少しで完了です", "recoveryPhraseSecureTitle": "もう少しで完了です",
"recoveryPhraseRevealMessage": "復元フレーズを保存してアカウントを保護します。復元フレーズを確認し、安全に保存してください", "recoveryPhraseRevealMessage": "復元フレーズを保存してアカウントを保護します。復元フレーズを確認し、安全に保存してください",
"recoveryPhraseRevealButtonText": "復元フレーズを表示", "recoveryPhraseRevealButtonText": "復元フレーズを表示",
"notificationSubtitle": "通知設定 $setting$", "notificationSubtitle": "通知設定 $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "ご意見をお聞かせください。",
"faq": "FAQ", "faq": "よくある質問",
"support": "Support", "support": "サポート",
"clearAll": "すべて消去する", "clearAll": "すべて消去する",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "データを消去する",
"messageRequests": "メッセージリクエスト", "messageRequests": "メッセージリクエスト",
"requestsSubtitle": "保留中のリクエスト", "requestsSubtitle": "保留中のリクエスト",
"requestsPlaceholder": "リクエストなし", "requestsPlaceholder": "リクエストなし",
@ -438,8 +449,8 @@
"accept": "同意", "accept": "同意",
"decline": "拒否", "decline": "拒否",
"endCall": "通話を終了", "endCall": "通話を終了",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "権限",
"helpSettingsTitle": "Help", "helpSettingsTitle": "ヘルプ",
"cameraPermissionNeededTitle": "音声/ビデオ通話の権限が必要です", "cameraPermissionNeededTitle": "音声/ビデオ通話の権限が必要です",
"cameraPermissionNeeded": "プライバシー設定で「音声とビデオ通話」の許可を有効にできます。", "cameraPermissionNeeded": "プライバシー設定で「音声とビデオ通話」の許可を有効にできます。",
"unableToCall": "進行中の通話を先にキャンセルする", "unableToCall": "進行中の通話を先にキャンセルする",
@ -449,12 +460,12 @@
"noCameraFound": "カメラが見つかりません", "noCameraFound": "カメラが見つかりません",
"noAudioInputFound": "オーディオ入力が見つかりません", "noAudioInputFound": "オーディオ入力が見つかりません",
"noAudioOutputFound": "オーディオ出力が見つかりません", "noAudioOutputFound": "オーディオ出力が見つかりません",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "音声通話とビデオ通話 (ベータ版)",
"callMissedCausePermission": "プライバシー設定で「音声通話とビデオ通話」権限を有効にする必要があるため、「$name$」からの通話が失敗しました。", "callMissedCausePermission": "プライバシー設定で「音声通話とビデオ通話」権限を有効にする必要があるため、「$name$」からの通話が失敗しました。",
"callMissedNotApproved": "この会話を承認していないため、'$name$' からの通話が失敗しました。最初にメッセージを送信してください。", "callMissedNotApproved": "この会話を承認していないため、'$name$' からの通話が失敗しました。最初にメッセージを送信してください。",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "他のユーザーとの音声通話やビデオ通話を有効にします。",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "音声通話とビデオ通話を使用している間、あなたのIPはあなたの通話相手とOxen Foundationサーバーに表示されます。 音声通話とビデオ通話を有効にしてもよろしいですか?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "音声通話とビデオ通話 (ベータ版)",
"startedACall": "$name$ と通話しました", "startedACall": "$name$ と通話しました",
"answeredACall": "$name$ と通話", "answeredACall": "$name$ と通話",
"trimDatabase": "データベースの切り取り", "trimDatabase": "データベースの切り取り",
@ -468,25 +479,30 @@
"declineRequestMessage": "こちらの友達リクエストを本当に拒否しますか?", "declineRequestMessage": "こちらの友達リクエストを本当に拒否しますか?",
"respondingToRequestWarning": "このユーザーにメッセージを送信すると、自動的にメッセージのリクエストが受け付けられ、あなたのセッションIDが公開されます。", "respondingToRequestWarning": "このユーザーにメッセージを送信すると、自動的にメッセージのリクエストが受け付けられ、あなたのセッションIDが公開されます。",
"hideRequestBanner": "メッセージリクエストバナーを非表示にする", "hideRequestBanner": "メッセージリクエストバナーを非表示にする",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "メッセージリクエスト",
"noMessageRequestsPending": "保留中のメッセージ・リクエストはありません", "noMessageRequestsPending": "保留中のメッセージ・リクエストはありません",
"noMediaUntilApproved": "承認されるまで添付ファイルを送信できません", "noMediaUntilApproved": "承認されるまで添付ファイルを送信できません",
"mustBeApproved": "この機能を使うには承認する必要があります。", "mustBeApproved": "この機能を使うには承認する必要があります。",
"youHaveANewFriendRequest": "友達申請が来ています。", "youHaveANewFriendRequest": "友達申請が来ています。",
"clearAllConfirmationTitle": "すべてのメッセージリクエストを削除", "clearAllConfirmationTitle": "すべてのメッセージリクエストを削除",
"clearAllConfirmationBody": "本当に全てのメッセージリクエストを消去しますか?", "clearAllConfirmationBody": "本当に全てのメッセージリクエストを消去しますか?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "非表示", "hideBanner": "非表示",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "メッセージリクエストの受信トレイを表示", "openMessageRequestInboxDescription": "メッセージリクエストの受信トレイを表示",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "すべての項目の $emoji$ を削除してもよろしいですか?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "最小化",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "$emoji$でメッセージに反応します",
"otherSingular": "$number$ other", "rateLimitReactMessage": "スローダウンしました。絵文字リアクターが多すぎます。しばらくしてからもう一度試してください。",
"otherPlural": "$number$ others", "otherSingular": "$number$ 他",
"reactionPopup": "reacted with", "otherPlural": "$number$ 他",
"reactionPopup": "との反応",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$ & $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "$otherSingular$ が <span>$emoji$</span> をこのメッセージに反応しました",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "$otherPlural$ が <span>$emoji$</span> をこのメッセージに反応しました"
} }

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "შევიდეთ $roomName$-ში?", "joinOpenGroupAfterInvitationConfirmationTitle": "შევიდეთ $roomName$-ში?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "მიუთითეთ Session ID ან ONS სახელი", "enterSessionIDOrONSName": "მიუთითეთ Session ID ან ONS სახელი",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "იტვირთება...", "loading": "იტვირთება...",
@ -72,7 +72,7 @@
"noSearchResults": "\"$searchTerm$\" -ზე არაფერი მოიძებნა", "noSearchResults": "\"$searchTerm$\" -ზე არაფერი მოიძებნა",
"conversationsHeader": "კონტაქტები და ჯგუფები", "conversationsHeader": "კონტაქტები და ჯგუფები",
"contactsHeader": "კონტაქტები", "contactsHeader": "კონტაქტები",
"messagesHeader": "შეტყობინებები", "messagesHeader": "Conversations",
"settingsHeader": "პარამეტრები", "settingsHeader": "პარამეტრები",
"typingAlt": "ამ საუბრისთვის ბეჭდვის ანიმაციის აკრეფა", "typingAlt": "ამ საუბრისთვის ბეჭდვის ანიმაციის აკრეფა",
"contactAvatarAlt": "ავატარი კონტაქტისთვის $name$", "contactAvatarAlt": "ავატარი კონტაქტისთვის $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "წაშლით $count$ შეტყობინებებს?", "deleteMessagesQuestion": "წაშლით $count$ შეტყობინებებს?",
"deleteMessageQuestion": "გსურთ ამ შეტყობინების წაშლა?", "deleteMessageQuestion": "გსურთ ამ შეტყობინების წაშლა?",
"deleteMessages": "შეტყობინებების წაშლა", "deleteMessages": "შეტყობინებების წაშლა",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "ეს შეტყობინება წაშლილია", "messageDeletedPlaceholder": "ეს შეტყობინება წაშლილია",
"from": "სგან:\nდან:", "from": "სგან:\nდან:",
@ -107,29 +108,30 @@
"sent": "გაგზავნილი", "sent": "გაგზავნილი",
"received": "მიღებული", "received": "მიღებული",
"sendMessage": "შეტყობინება", "sendMessage": "შეტყობინება",
"groupMembers": "ჯგუფის წევრები", "groupMembers": "Members",
"moreInformation": "მეტი ინფორმაცია", "moreInformation": "მეტი ინფორმაცია",
"resend": "თავიდან გაგზავნა", "resend": "თავიდან გაგზავნა",
"deleteConversationConfirmation": "გსურთ რომ სამუდამოდ წაშალოთ შეტყობინებები ამ სასაუბროში?", "deleteConversationConfirmation": "გსურთ რომ სამუდამოდ წაშალოთ შეტყობინებები ამ სასაუბროში?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "ყველა მონაცემის გასუფთავება", "clearAllData": "ყველა მონაცემის გასუფთავება",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "დარწმუნებული ხართ, რომ გსურთ ამ მიმოწერის წაშლა?", "deleteContactConfirmation": "დარწმუნებული ხართ, რომ გსურთ ამ მიმოწერის წაშლა?",
"quoteThumbnailAlt": "სურათის მინიატურა ციტირებული გზავნილიდან", "quoteThumbnailAlt": "სურათის მინიატურა ციტირებული გზავნილიდან",
"imageAttachmentAlt": "შეტყობინებას მიმაგრებული სურათი", "imageAttachmentAlt": "შეტყობინებას მიმაგრებული სურათი",
"videoAttachmentAlt": "შეტყობინებას მიმაგრებული ვიდეოს ეკრანის ასლი", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "სურათი გაგზავნილია სასაუბროში", "lightboxImageAlt": "სურათი გაგზავნილია სასაუბროში",
"imageCaptionIconAlt": "სიმბოლო, რომელიც აჩვენებს, რომ ამ სურათს აქვს წარწერა", "imageCaptionIconAlt": "სიმბოლო, რომელიც აჩვენებს, რომ ამ სურათს აქვს წარწერა",
"addACaption": "დაამატეთ წარწერა...", "addACaption": "დაამატეთ წარწერა...",
"copySessionID": "დააკოპირეთ სესიის ID", "copySessionID": "დააკოპირეთ სესიის ID",
"copyOpenGroupURL": "კონტექსტის მენიუს მოქმედება გრუპის ლინკის დაკოპირებისთვის", "copyOpenGroupURL": "Copy Group URL",
"save": "Save", "save": "Save",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Name and content", "nameAndMessage": "Name & Content",
"noNameOrMessage": "No name or content", "noNameOrMessage": "No name or content",
"nameOnly": "Name Only", "nameOnly": "Name Only",
"newMessage": "New Message", "newMessage": "New Message",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hours", "timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 day", "timerOption_1_day": "1 day",
"timerOption_1_week": "1 week", "timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Disappearing messages", "disappearingMessages": "Disappearing messages",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear Nickname", "clearNickname": "Clear Nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w", "timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "youDisabledDisappearingMessages": "You disabled disappearing messages.",
"timerSetTo": "Disappearing message time set to $time$", "timerSetTo": "Disappearing message time set to $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start New Conversation", "startConversation": "Start New Conversation",
"invalidNumberError": "Invalid Session ID or ONS Name", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ joined the group.", "multipleJoinedTheGroup": "$name$ joined the group.",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please enter a display name", "displayNameEmpty": "Please enter a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,20 +28,20 @@
"viewMenuToggleFullScreen": "បិទបើកការបង្ហាញពេញអេក្រង់", "viewMenuToggleFullScreen": "បិទបើកការបង្ហាញពេញអេក្រង់",
"viewMenuToggleDevTools": "បិទបើកមុខងារអ្នកអភិវឌ្ឍន៍", "viewMenuToggleDevTools": "បិទបើកមុខងារអ្នកអភិវឌ្ឍន៍",
"contextMenuNoSuggestions": "មិនមានយោបល់កែប្រែទេ", "contextMenuNoSuggestions": "មិនមានយោបល់កែប្រែទេ",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "ការអញ្ជើញពីសហគមន៍",
"joinOpenGroupAfterInvitationConfirmationTitle": "ចូល $roomName$", "joinOpenGroupAfterInvitationConfirmationTitle": "ចូលរួម $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "តើអ្នកប្រាកដថា ពិតជាចង់ចូលរួមជាមួយសហគមន៍ $roomName$ ដែរឬទេ?",
"couldntFindServerMatching": "មានបញ្ហា ដាច់ទំនាក់ទំនងទៅកាន់ Server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "បញ្ចូលអត្តលេខ Session ឬ ឈ្មោះ ONS", "enterSessionIDOrONSName": "បញ្ចូល Session ID ឬឈ្មោះ ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "ការចាប់ផ្តើមការសន្ទនាថ្មីដោយបញ្ចូល Session ID របស់នរណាម្នាក់ ឬចែករំលែក Session ID របស់អ្នកជាមួយពួកនឹងពួកគេ។",
"loading": "កំពុងផ្ទុក...", "loading": "កំពុងផ្ទុក...",
"done": "រួចរាល់", "done": "រួចរាល់",
"youLeftTheGroup": "អ្នកបានចាកចេញពីក្រុម", "youLeftTheGroup": "អ្នកបានចាកចេញពីក្រុម",
"youGotKickedFromGroup": "អ្នកត្រូវបានដកចេញពីក្រុម", "youGotKickedFromGroup": "អ្នកត្រូវបានដកចេញពីកិច្ចប្រជុំនេះ។",
"unreadMessages": "សារមិនទាន់អាន", "unreadMessages": "សារមិនទាន់អាន",
"debugLogExplanation": "ទិន្នន័យនេះនឹងរក្សារទុកនៅក្នុង Desktop របស់អ្នក", "debugLogExplanation": "កំណត់ត្រានេះនឹងរក្សាទុកនៅក្នុងកុំព្យូទ័ររបស់អ្នក។",
"reportIssue": "Report a Bug", "reportIssue": "រាយការណ៍ពីកំហុសមួយ",
"markAllAsRead": "សម្គាល់ទាំងអស់ថាបានអាន", "markAllAsRead": "ដាក់សម្គាល់ទាំងអស់ថាបានអាន",
"incomingError": "បញ្ហាទទួលសារផ្ញើចូល", "incomingError": "បញ្ហាទទួលសារផ្ញើចូល",
"media": "ឯកសារមេឌា", "media": "ឯកសារមេឌា",
"mediaEmptyState": "អ្នកមិនមានឯកសារមេឌា ក្នុងការសន្ទនានេះទេ", "mediaEmptyState": "អ្នកមិនមានឯកសារមេឌា ក្នុងការសន្ទនានេះទេ",
@ -62,18 +62,18 @@
"unableToLoadAttachment": "មិនអាចផ្ទុកឯកសារភ្ជាប់ដែលបានជ្រើសរើស។", "unableToLoadAttachment": "មិនអាចផ្ទុកឯកសារភ្ជាប់ដែលបានជ្រើសរើស។",
"offline": "អហ្វឡាញ", "offline": "អហ្វឡាញ",
"debugLog": "កំណត់ត្រាបញ្ហា", "debugLog": "កំណត់ត្រាបញ្ហា",
"showDebugLog": "Export Logs", "showDebugLog": "ការនាំចេញកំណត់ត្រា",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "ការនាំចេញកំណត់ត្រារបស់អ្នក បន្ទាប់មកបង្ហោះឯកសារនេះឬៅកាន់ Session របស់ Help Desk។",
"goToReleaseNotes": "ចូលទៅកាន់កំណត់ចេញថ្មី", "goToReleaseNotes": "ចូលទៅកាន់កំណត់ចេញថ្មី",
"goToSupportPage": "ចូលទៅកាន់ទំព័រគាំទ្រ", "goToSupportPage": "ចូលទៅកាន់ទំព័រគាំទ្រ",
"about": "អំពីយើង", "about": "អំពី",
"show": "បង្ហាញ", "show": "បង្ហាញ",
"sessionMessenger": "Session", "sessionMessenger": "Session",
"noSearchResults": "គ្មានលទ្ធផលសម្រាប់ \"$searchTerm$\"", "noSearchResults": "គ្មានលទ្ធផលសម្រាប់ \"$searchTerm$\"",
"conversationsHeader": "ក្រុម និងមិត្ត", "conversationsHeader": "ទំនាក់ទំនង និង ក្រុម",
"contactsHeader": "បញ្ជីទំនាក់ទំនង", "contactsHeader": "បញ្ជីទំនាក់ទំនង",
"messagesHeader": "សារ", "messagesHeader": "Conversations",
"settingsHeader": "កំណត់មុខងារ", "settingsHeader": "ការកំណត់",
"typingAlt": "ការវាយចលនាសម្រាប់ការសន្ទនានេះ", "typingAlt": "ការវាយចលនាសម្រាប់ការសន្ទនានេះ",
"contactAvatarAlt": "រូបតំណាងសម្រាប់លេខទំនាក់ទំនង $name$", "contactAvatarAlt": "រូបតំណាងសម្រាប់លេខទំនាក់ទំនង $name$",
"downloadAttachment": "ទាញយកឯកសារភ្ជាប់", "downloadAttachment": "ទាញយកឯកសារភ្ជាប់",
@ -86,95 +86,97 @@
"audio": "សំឡេង", "audio": "សំឡេង",
"video": "វីដេអូ", "video": "វីដេអូ",
"photo": "រូបភាព", "photo": "រូបភាព",
"cannotUpdate": "មិនអានធ្វើបច្ចុប្បន្នភាពកម្មវិធី", "cannotUpdate": "មិនអានធ្វើបច្ចុប្បន្នភាព",
"cannotUpdateDetail": "មានកំណែប្រែថ្មី ក៏ប៉ុន្ថែបរាជ័យក្នុងការធ្វើបច្ចុប្បន្នភាពកម្មវិធី", "cannotUpdateDetail": "Session Desktop បានបរាជ័យក្នុងការធ្វើបច្ចុប្បន្នភាព ប៉ុន្តែមានកំណែថ្មីដែលអាចប្រើប្រាស់បាន។ សូមចូលទៅកាន់ https://getsession.org/ ហើយដំឡើងកំណែថ្មីដោយដៃ បន្ទាប់មកទាក់ទងទៅផ្នែកជំនួយ ឬរៀបចំឯកសារកំហុសអំពីបញ្ហានេះ។",
"ok": "យល់ព្រម", "ok": "យល់ព្រម",
"cancel": "លះបង់", "cancel": "លះបង់",
"close": "បិទ", "close": "បិទ",
"continue": "បន្តរ", "continue": "បន្តរ",
"error": "បញ្ហា", "error": "បញ្ហា",
"delete": "លុប", "delete": "លុប",
"messageDeletionForbidden": "អ្នកមិនមានសិទ្ធសំរាប់លុបសារអ្នកផ្សេងៗនោះទេ", "messageDeletionForbidden": "អ្នកគ្មានសិទ្ធដើម្បីលុបសារអ្នកផ្សេងៗទេ",
"deleteJustForMe": "លុបសំរាប់ខ្លួនឯង", "deleteJustForMe": "លុបសម្រាប់ខ្ញុំ",
"deleteForEveryone": "លុបសំរាប់ទាំងអស់គ្នា", "deleteForEveryone": "លុបចេញពីទាំងអស់គ្នា",
"deleteMessagesQuestion": "លុបសារចំនួន $count$?", "deleteMessagesQuestion": "លុបសារចំនួន $count$?",
"deleteMessageQuestion": "តើចង់លុបសារនេះមែនទេ?", "deleteMessageQuestion": "តើចង់លុបសារនេះមែនទេ?",
"deleteMessages": "លុបសារ", "deleteMessages": "លុបសារ",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ ត្រូវបានលុប", "deleted": "$count$ ត្រូវបានលុប",
"messageDeletedPlaceholder": "សារនេះត្រូវបានលុបចោល", "messageDeletedPlaceholder": "សារនេះត្រូវបានលុបចេញ",
"from": "ពី", "from": "ពី",
"to": "ទៅ", "to": "ទៅ",
"sent": "បានផ្ញើ", "sent": "បានផ្ញើ",
"received": "បានទទួល", "received": "បានទទួល",
"sendMessage": "ផ្ញើសារមួយ", "sendMessage": "ផ្ញើសារមួយ",
"groupMembers": "សមាជិកក្រុម", "groupMembers": "សមាជិក",
"moreInformation": "ព័ត៌មាន​បន្ថែម", "moreInformation": "ព័ត៌មាន​បន្ថែម",
"resend": "ផ្ញើ​ម្តងទៀត", "resend": "ផ្ញើ​ម្តងទៀត",
"deleteConversationConfirmation": "លុបការសន្ទនានេះចោលរហូត?", "deleteConversationConfirmation": "លុបការសន្ទនានេះចោលរហូត?",
"clear": "Clear", "clear": "ជម្រះ",
"clearAllData": "លុបទិន្នន័យទាំងអស់​", "clearAllData": "ជម្រះទិន្នន័យទាំងអស់",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "វានឹងលុបសារ និងទំនាក់ទំនងរបស់អ្នកចេញជាអចិន្ត្រៃយ៍។",
"deleteAccountFromLogin": "តើអ្នកប្រាកដទេថា អ្នកចង់ជម្រះឧបករណ៍របស់អ្នកចេញ?",
"deleteContactConfirmation": "តើអ្នកចង់លុបការសន្ទនានេះមែនទេ?", "deleteContactConfirmation": "តើអ្នកចង់លុបការសន្ទនានេះមែនទេ?",
"quoteThumbnailAlt": "រូបភាពតូចៗនៃរូបភាពពីសារដែលបានដកស្រង់", "quoteThumbnailAlt": "រូបភាពតូចៗនៃរូបភាពពីសារដែលបានដកស្រង់",
"imageAttachmentAlt": "រូបភាពបានភ្ជាប់ទៅសារ", "imageAttachmentAlt": "រូបភាពបានភ្ជាប់ទៅសារ",
"videoAttachmentAlt": "រូបថតអេក្រង់នៃវីដេអូភ្ជាប់ទៅកាន់សារ", "videoAttachmentAlt": "ការថតនៅលើអេក្រង់ទៅលើសារវីដេអូ",
"lightboxImageAlt": "រូបភាពបានផ្ញើ ក្នុងការសន្ទនា", "lightboxImageAlt": "រូបភាពបានផ្ញើ ក្នុងការសន្ទនា",
"imageCaptionIconAlt": "រូបតំណាងបង្ហាញថារូបភាពនេះមានចំណងជើង", "imageCaptionIconAlt": "រូបតំណាងបង្ហាញថារូបភាពនេះមានចំណងជើង",
"addACaption": "ដាក់ចំណងជើង...", "addACaption": "ដាក់ចំណងជើង...",
"copySessionID": "ចម្លង ID", "copySessionID": "ចម្លង Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "ចម្លង URL ពីក្រុម",
"save": "រក្សាទុក", "save": "រក្សាទុក",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "រក្សាទុកកំណត់ត្រាទៅក្នុងកុំព្យូទ័រ",
"saved": "បានរក្សារទុក", "saved": "បានរក្សារទុក",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ ដើម្បីថតលើអេក្រង់",
"savedTheFile": "Media saved by $name$", "savedTheFile": "មេឌៀបានរក្សាទុកដោយ $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "ផ្ញើតំណឲ្យមើលជាមុន",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "បង្កើតតំណឲ្យមើលជាមុនសម្រាប់ URLs ដែលអាចប្រើប្រាស់បាន។",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "អ្នកមិនមានការការពារទិន្នន័យមេតាពេញលេញនៅពេលផ្ញើការមើលតំណជាមុននោះទេ។",
"mediaPermissionsTitle": "មីក្រូ​ហ្វូន", "mediaPermissionsTitle": "មីក្រូ​ហ្វូន",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "ការអនុញ្ញាតឱ្យចូលប្រើមីក្រូហ្វូន។",
"spellCheckTitle": "ពិនិត្យ​អក្ខរាវិរុទ្ធ", "spellCheckTitle": "ពិនិត្យ​អក្ខរាវិរុទ្ធ",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "ការពិនិត្យអក្ខរាវិរុទ្ធនៅពេលវាយសារ។",
"spellCheckDirty": "You must restart Session to apply your new settings", "spellCheckDirty": "អ្នកត្រូវចាប់ផ្តើម Session ឡើងវិញ ដើម្បីអនុវត្តការកំណត់ថ្មីណាមួយរបស់អ្នក",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "ផ្ញើសារអ្នកទទួលដែលបានអានរួចក្នុងការជជែកមួយទល់មួយ។",
"readReceiptSettingTitle": "Read Receipts", "readReceiptSettingTitle": "​អ្នកទទួលដែលបានអានសាររួច",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "មើល និងចែករំលែកសញ្ញាបង្ហាញពេលកំពុងវាយក្នុងការជជែកមួយទល់មួយ។",
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "សូចនាករវាយអក្សរ",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "កត្តាពង្រីក​បង្រួម",
"themesSettingTitle": "Themes", "themesSettingTitle": "ទម្រង់រចនា",
"primaryColor": "Primary Color", "primaryColor": "ពណ៌ចម្បង",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "ពណ៌ចម្បងពណ៌បៃតង",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "ពណ៌ចម្បងពណ៌ខៀវ",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "ពណ៌ចម្បងពណ៌លឿង",
"primaryColorPink": "Primary color pink", "primaryColorPink": "ពណ៌ចម្បងពណ៌ផ្កាឈូក",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "ពណ៌ចម្បងពណ៌ស្វាយ",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "ពណ៌ចម្បងពណ៌ទឹកក្រូច",
"primaryColorRed": "Primary color red", "primaryColorRed": "ពណ៌ចម្បងពណ៌ក្រហម",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "ផ្ទៃចាស់ស្រអាប់",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "ពន្លឺក្លាស៊ិក",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "សមុទ្រស្រអាប់",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "សមុទ្រភ្លឺថ្លា",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "បង្រួមសហគមន៍",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "លុបសារណាដែលមានអាយុលើសពី 6 ខែពីសហគមន៍ ដែលមានសារលើសពី 2,000។",
"enable": "Enable", "enable": "បើក",
"keepDisabled": "Keep disabled", "keepDisabled": "បន្តបិទ",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "ព័ត៌មានដែលបានបង្ហាញនៅក្នុងការជូនដំណឹង។",
"nameAndMessage": "ទាំងឈ្មោះអ្នកផ្ញើ និងសារ", "nameAndMessage": "ឈ្មោះ និងមាតិកា",
"noNameOrMessage": "គ្មានឈ្មោះ ឬ សារ", "noNameOrMessage": "គ្មានឈ្មោះ ឬ សារ",
"nameOnly": "មានតែឈ្មោះអ្នកផ្ញើ", "nameOnly": "មានតែឈ្មោះអ្នកផ្ញើ",
"newMessage": "សារថ្មី", "newMessage": "សារថ្មី",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "បង្កើតការសន្ទនាជាមួយទំនាក់ទំនងថ្មីមួយ",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "បង្កើតក្រុមមួយចេញពីទំនាក់ទំនងដែលមានស្រាប់",
"joinACommunity": "Join a community", "joinACommunity": "ចូលរួមសហគមន៍មួយ",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "ជ្រើសរើសសកម្មភាពមួយដើម្បីចាប់ផ្តើមការសន្ទនា",
"newMessages": "សារថ្មី", "newMessages": "សារថ្មី",
"notificationMostRecentFrom": "ថ្មីៗបំផុតពី៖", "notificationMostRecentFrom": "ថ្មីៗបំផុតពី៖",
"notificationFrom": "ពី៖", "notificationFrom": "ពី៖",
"notificationMostRecent": "ថ្មីៗបំផុត៖", "notificationMostRecent": "ថ្មីៗបំផុត៖",
"sendFailed": "ផ្ញើបរាជ័យ", "sendFailed": "ផ្ញើបរាជ័យ",
"mediaMessage": "សារមេឌា", "mediaMessage": "សារមេឌា",
"messageBodyMissing": "Please enter a message body.", "messageBodyMissing": "សូមបញ្ចូលតួសារ។",
"messageBody": "Message body", "messageBody": "តួសារ",
"unblockToSend": "ដោះការហាមឃាត់លេខទំនាក់ទំនងនេះ ដើម្បីផ្ញើសារ។", "unblockToSend": "ដោះការហាមឃាត់លេខទំនាក់ទំនងនេះ ដើម្បីផ្ញើសារ។",
"unblockGroupToSend": "មិនការទប់ស្កាត់ក្រុមនេះ ដើម្បីផ្ញើសារ។", "unblockGroupToSend": "មិនការទប់ស្កាត់ក្រុមនេះ ដើម្បីផ្ញើសារ។",
"youChangedTheTimer": "អ្នកបានកំណត់រយៈពេលសារបាត់ទៅវិញជា $time$", "youChangedTheTimer": "អ្នកបានកំណត់រយៈពេលសារបាត់ទៅវិញជា $time$",
@ -192,11 +194,12 @@
"timerOption_12_hours": "12 ម៉ោង", "timerOption_12_hours": "12 ម៉ោង",
"timerOption_1_day": "1 ថ្ងៃ", "timerOption_1_day": "1 ថ្ងៃ",
"timerOption_1_week": "1 សប្តាហ៍", "timerOption_1_week": "1 សប្តាហ៍",
"timerOption_2_weeks": "2 សប្តាហ៍",
"disappearingMessages": "សារបាត់ទៅវិញ", "disappearingMessages": "សារបាត់ទៅវិញ",
"changeNickname": "Change Nickname", "changeNickname": "ប្តូរឈ្មោះហៅក្រៅ",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
"nicknamePlaceholder": "New Nickname", "nicknamePlaceholder": "ឈ្មោះហៅក្រៅថ្មី",
"changeNicknameMessage": "Enter a nickname for this user", "changeNicknameMessage": "បញ្ចូលឈ្មោះហៅក្រៅមួយសម្រាប់អ្នកប្រើនេះ",
"timerOption_0_seconds_abbreviated": "បិទ", "timerOption_0_seconds_abbreviated": "បិទ",
"timerOption_5_seconds_abbreviated": "5វិ", "timerOption_5_seconds_abbreviated": "5វិ",
"timerOption_10_seconds_abbreviated": "10វិ", "timerOption_10_seconds_abbreviated": "10វិ",
@ -209,284 +212,297 @@
"timerOption_12_hours_abbreviated": "12ម", "timerOption_12_hours_abbreviated": "12ម",
"timerOption_1_day_abbreviated": "1ថ", "timerOption_1_day_abbreviated": "1ថ",
"timerOption_1_week_abbreviated": "1ស", "timerOption_1_week_abbreviated": "1ស",
"timerOption_2_weeks_abbreviated": "2ស",
"disappearingMessagesDisabled": "សារបាត់ទៅវិញបានបិទ", "disappearingMessagesDisabled": "សារបាត់ទៅវិញបានបិទ",
"disabledDisappearingMessages": "$name$ បានបិទសារបាត់ទៅវិញ", "disabledDisappearingMessages": "$name$ ត្រូវបានបិទមុខងារសារបាត់ទៅវិញ",
"youDisabledDisappearingMessages": "អ្នកបានបិទសារបាត់ទៅវិញ", "youDisabledDisappearingMessages": "អ្នកបានបិទសារបាត់ទៅវិញ",
"timerSetTo": "រយៈពេលបានកំណត់$time$", "timerSetTo": "រយៈពេលបានកំណត់$time$",
"noteToSelf": "កំណត់ចំណាំ", "noteToSelf": "កំណត់ចំណាំ",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "លាក់របារម៉ឺនុយ",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "បិទបើកប្រព័ន្ធរបារម៉ឺនុយដែលអាចមើលឃើញ។",
"startConversation": "ចាប់ផ្តើមការសន្ទនាថ្មី...", "startConversation": "ចាប់ផ្តើមការសន្ទនាថ្មី...",
"invalidNumberError": "លេខមិនត្រឹមត្រូវ", "invalidNumberError": "សូមពិនិត្យមើល Session ID ឬឈ្មោះ ONS ហើយព្យាយាមម្តងទៀត",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "បានបរាជ័យក្នុងការដោះស្រាយឈ្មោះ ONS",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "ធ្វើបច្ចុប្បន្នភាពដោយស្វ័យប្រវត្តិ",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "ពិនិត្យដោយស្វ័យប្រវត្តិសម្រាប់ការធ្វើបច្ចុប្បន្នភាពនៅពេលចាប់ផ្តើម។",
"autoUpdateNewVersionTitle": "មានបច្ចុប្បន្នភាព Session", "autoUpdateNewVersionTitle": "មានបច្ចុប្បន្នភាព Session",
"autoUpdateNewVersionMessage": "មានSessionជំនាន់ថ្មី", "autoUpdateNewVersionMessage": "មានSessionជំនាន់ថ្មី",
"autoUpdateNewVersionInstructions": "ចុច បើក Sessionឡើងវិញ ដើម្បីដំណើការបច្ចុប្បន្នភាព។", "autoUpdateNewVersionInstructions": "ចុច បើក Sessionឡើងវិញ ដើម្បីដំណើការបច្ចុប្បន្នភាព។",
"autoUpdateRestartButtonLabel": "បើកSession ឡើងវិញ", "autoUpdateRestartButtonLabel": "បើកSession ឡើងវិញ",
"autoUpdateLaterButtonLabel": "លើកក្រោយ", "autoUpdateLaterButtonLabel": "លើកក្រោយ",
"autoUpdateDownloadButtonLabel": "Download", "autoUpdateDownloadButtonLabel": "ទាញយក",
"autoUpdateDownloadedMessage": "The new update has been downloaded.", "autoUpdateDownloadedMessage": "The new update has been downloaded.",
"autoUpdateDownloadInstructions": "Would you like to download the update?", "autoUpdateDownloadInstructions": "តើអ្នកចង់ទាញយកបច្ចុប្បន្នភាពទេ?",
"leftTheGroup": "$name$ បានចេញពីក្រុម", "leftTheGroup": "$name$ បានចេញពីក្រុម",
"multipleLeftTheGroup": "$name$ បានចេញពីក្រុម", "multipleLeftTheGroup": "$name$ បានចេញពីក្រុម",
"updatedTheGroup": "ក្រុមបានធ្វើបច្ចុប្បន្នភាព", "updatedTheGroup": "ក្រុមបានធ្វើបច្ចុប្បន្នភាព",
"titleIsNow": "ចំណងជើងឥឡូវគឺ '$name$'", "titleIsNow": "ចំណងជើងឥឡូវគឺ '$name$'",
"joinedTheGroup": "$name$ បានចូលក្រុម", "joinedTheGroup": "$name$ បានចូលក្រុម",
"multipleJoinedTheGroup": "$names$ បានចូលក្រុម", "multipleJoinedTheGroup": "$names$ បានចូលក្រុម",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ ត្រូវបានដកចេញពីក្រុមនេះ។",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ ត្រូវបានដកចេញពីក្រុមនេះ។",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "បានឈប់ទប់ស្កាត់",
"blocked": "Blocked", "blocked": "បានទប់ស្កាត់",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "ទំនាក់ទំនងដែលបានទប់ស្កាត់",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "ការសន្ទនា",
"unbanUser": "Unban User", "unbanUser": "ឈប់ហាមឃាត់អ្នកប្រើ",
"userUnbanned": "User unbanned successfully", "userUnbanned": "អ្នកប្រើបានឈប់ហាមឃាត់ដោយជោគជ័យ",
"userUnbanFailed": "Unban failed!", "userUnbanFailed": "ហាមឃាត់តមិនបានសម្រេច!",
"banUser": "Ban User", "banUser": "ហាមឃាត់អ្នកប្រើ",
"banUserAndDeleteAll": "Ban and Delete All", "banUserAndDeleteAll": "ហាមឃាត់ និងលុបទាំងអស់",
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Ban failed!", "userBanFailed": "ហាមឃាត់មិនបានសម្រេច!",
"leaveGroup": "Leave Group", "leaveGroup": "ចាកចេញពីក្រុម",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "ចាកចេញពីក្រុម ហើយលុបអ្នកទាំងអស់គ្នាចេញ",
"leaveGroupConfirmation": "Are you sure you want to leave this group?", "leaveGroupConfirmation": "តើអ្នកពិតជាចង់ចាកចេញពីក្រុមនេះឬទេ?",
"leaveGroupConfirmationAdmin": "As you are the admin of this group, if you leave it it will be removed for every current members. Are you sure you want to leave this group?", "leaveGroupConfirmationAdmin": "ក្នុង​នាម​អ្នក​ជា​អ្នក​គ្រប់គ្រង​ក្រុម​នេះ ប្រសិន​បើ​អ្នក​ចាកចេញ​វា វា​នឹង​ត្រូវ​បាន​ដក​ចេញ​សម្រាប់រាល់​សមាជិក​បច្ចុប្បន្ន​ទាំងអស់។ តើអ្នកប្រាកដទេថាអ្នកចង់ចាកចេញពីក្រុមនេះទេ?",
"cannotRemoveCreatorFromGroup": "Cannot remove this user", "cannotRemoveCreatorFromGroup": "មិនអាចលុបអ្នកប្រើប្រាស់នេះចេញបានទេ",
"cannotRemoveCreatorFromGroupDesc": "You cannot remove this user as they are the creator of the group.", "cannotRemoveCreatorFromGroupDesc": "អ្នកមិនអាចលុបអ្នកប្រើប្រាស់នេះចេញបាន ដោយសារពួកគេជាអ្នកបង្កើតក្រុម។",
"noContactsForGroup": "You don't have any contacts yet", "noContactsForGroup": "អ្នកមិនទាន់មានទំនាក់ទំនងណាមួយនៅឡើយទេ",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "បរាជ័យក្នុងការបន្ថែមអ្នកប្រើជាអ្នកគ្រប់គ្រង",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "បរាជ័យក្នុងការលុបអ្នកប្រើចេញពីបញ្ជីអ្នកគ្រប់គ្រង",
"copyMessage": "Copy message text", "copyMessage": "ចម្លងអត្ថបទសារ",
"selectMessage": "Select message", "selectMessage": "ជ្រើសរើសសារ",
"editGroup": "Edit group", "editGroup": "កែក្រុម",
"editGroupName": "Edit group name", "editGroupName": "កែឈ្មោះក្រុម",
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "កំពុង​ធ្វើ​បច្ចុប្បន្នភាព $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "ឃ្លាស្តារឡើងវិញ",
"yourSessionID": "Your Session ID", "yourSessionID": "Session ID របស់អ្នក",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "ពាក្យសម្ងាត់",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "តម្រូវឲ្យមានពាក្យសម្ងាត់ដើម្បីឈប់ទប់ស្កាត់ Session។",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "ប្តូរពាក្យសម្ងាត់",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "ប្ដូរពាក្យសម្ងាត់ដែលបានតម្រូវឲ្យមានដើម្បីឈប់ទប់ស្កាត់ Session។",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "លុបពាក្យសម្ងាត់",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "ប្ដូរពាក្យសម្ងាត់ដែលបានតម្រូវឲ្យមានដើម្បីឈប់ទប់ស្កាត់ Session។",
"enterPassword": "Please enter your password", "enterPassword": "សូម​បញ្ចូល​ពាក្យ​សម្ងាត់​របស់​អ្នក",
"confirmPassword": "Confirm password", "confirmPassword": "បញ្ជាក់ពាក្យសម្ងាត់",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "សូម​បញ្ចូល​ពាក្យ​សម្ងាត់ថ្មី​របស់​អ្នក",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "បញ្ជាក់ពាក្យសម្ងាត់ថ្មី",
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "សូម​បញ្ចូល​ពាក្យ​សម្ងាត់​របស់​អ្នក",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "ឃ្លាស្តារឡើងវិញរបស់អ្នកគឺជាកូដចម្បងដើម្បីចូលទៅ Session ID របស់អ្នក ហើយអ្នកអាចប្រើវាដើម្បីស្តារឡើងវិញនូវ Session ID របស់អ្នក ប្រសិនបើអ្នកបាត់បង់សិទ្ធិចូលប្រើឧបករណ៍របស់អ្នក។ រក្សាឃ្លាស្តារឡើងវិញរបស់អ្នកទុកក្នុងកន្លែងដែលមានសុវត្ថិភាព និងមិនត្រូវផ្តល់វាឱ្យនរណាម្នាក់ឡើយ។",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "URL មិនត្រឹមត្រូវ",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "បានចម្លង",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "បញ្ចូលពាក្យសម្ងាត់",
"password": "Password", "password": "ពាក្យសម្ងាត់",
"setPassword": "Set Password", "setPassword": "កំណត់ពាក្យសម្ងាត់",
"changePassword": "Change Password", "changePassword": "ប្តូរពាក្យសម្ងាត់",
"createPassword": "Create your password", "createPassword": "បង្កើតពាក្យសម្ងាត់របស់អ្នក",
"removePassword": "Remove Password", "removePassword": "លុបពាក្យសម្ងាត់",
"maxPasswordAttempts": "Invalid Password. Would you like to reset the database?", "maxPasswordAttempts": "ពាក្យសម្ងាត់មិនត្រឹមត្រូវ។ តើអ្នកចង់កំណត់មូលដ្ឋានទិន្នន័យឡើងវិញទេ?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "សូម​បញ្ចូល​ពាក្យ​សម្ងាត់ថ្មី​របស់​អ្នក",
"invalidOldPassword": "Old password is invalid", "invalidOldPassword": "ពាក្យសម្ងាត់ចាស់មិនត្រឹមត្រូវទេ",
"invalidPassword": "Invalid password", "invalidPassword": "ពាក្យសម្ងាត់មិនត្រឹមត្រូវ",
"noGivenPassword": "Please enter your password", "noGivenPassword": "សូម​បញ្ចូល​ពាក្យ​សម្ងាត់​របស់​អ្នក",
"passwordsDoNotMatch": "Passwords do not match", "passwordsDoNotMatch": "ពាក្យសម្ងាត់មិនត្រូវគ្នាទេ",
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "ពាក្យសម្ងាត់មិនត្រូវគ្នាទេ",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "ពាក្យសម្ងាត់ចាស់ដែលអ្នកបានបញ្ចូលគឺមិនត្រឹមត្រូវទេ",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "ពាក្យសម្ងាត់មិនត្រឹមត្រូវ",
"setPasswordTitle": "Set Password", "setPasswordTitle": "កំណត់ពាក្យសម្ងាត់",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "ពាក្យសម្ងាត់ត្រូវបានប្តូរ",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "ពាក្យសម្ងាត់ត្រូវបានលុបចេញ",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "ពាក្យសម្ងាត់របស់អ្នកត្រូវបានកំណត់។ សូមរក្សាវាឲ្យមានសុវត្ថិភាព។",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "ពាក្យសម្ងាត់របស់អ្នកត្រូវបានប្តូរ។ សូមរក្សាវាឲ្យមានសុវត្ថិភាព។",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "ពាក្យសម្ងាត់របស់អ្នកត្រូវបានលុបចេញ។",
"publicChatExists": "You are already connected to this community", "publicChatExists": "អ្នកបានភ្ជាប់ជាមួយសហគមន៍នេះរួចហើយ",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "មិនអាចចូលរួមសហគមន៍បានទេ",
"connectingToServer": "Connecting...", "connectingToServer": "កំពុងភ្ជាប់...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "បានភ្ជាប់ជាមួយសហគមន៍ដោយជោគជ័យ",
"setPasswordFail": "Failed to set password", "setPasswordFail": "ការកំណត់ពាក្យសម្ងាត់មិនបានសម្រេច",
"passwordLengthError": "Password must be between 6 and 64 characters long", "passwordLengthError": "ពាក្យ​សម្ងាត់​ត្រូវ​តែ​មាន​ចន្លោះ​ពី 6 ទៅ 64 តួអក្សរ",
"passwordTypeError": "Password must be a string", "passwordTypeError": "ពាក្យសម្ងាត់ត្រូវតែជាសំនុំអក្សរ",
"passwordCharacterError": "Password must only contain letters, numbers and symbols", "passwordCharacterError": "ពាក្យសម្ងាត់ត្រូវតែមានអក្សរ លេខ និងនិមិត្តសញ្ញាប៉ុណ្ណោះ",
"remove": "Remove", "remove": "ដកចេញ",
"invalidSessionId": "Invalid Session ID", "invalidSessionId": "Session ID មិនត្រឹមត្រូវ",
"invalidPubkeyFormat": "Invalid Pubkey Format", "invalidPubkeyFormat": "ទម្រង់ Pubkey មិនត្រឹមត្រូវ",
"emptyGroupNameError": "Please enter a group name", "emptyGroupNameError": "សូមបញ្ចូលឈ្មោះក្រុម",
"editProfileModalTitle": "Profile", "editProfileModalTitle": "ប្រវត្តិរូប",
"groupNamePlaceholder": "Group Name", "groupNamePlaceholder": "ឈ្មោះក្រុម",
"inviteContacts": "Invite Contacts", "inviteContacts": "អញ្ជើញទំនាក់ទំនង",
"addModerators": "Add Admins", "addModerators": "បន្ថែមអ្នកគ្រប់គ្រង",
"removeModerators": "Remove Admins", "removeModerators": "ដកអ្នកគ្រប់គ្រងចេញ",
"addAsModerator": "Add as Admin", "addAsModerator": "បន្ថែមជាអ្នកគ្រប់គ្រង",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "ដកចេញពីអ្នកគ្រប់គ្រង",
"add": "Add", "add": "បន្ថែម",
"addingContacts": "Adding contacts to $name$", "addingContacts": "ការបន្ថែមទំនាក់ទំនងទៅ $name$",
"noContactsToAdd": "No contacts to add", "noContactsToAdd": "គ្មានទំនាក់ទំនងដែលត្រូវបន្ថែមទេ",
"noMembersInThisGroup": "No other members in this group", "noMembersInThisGroup": "គ្មានសមាជិកផ្សេងទៀតនៅក្នុងក្រុមនេះទេ",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "មិនមានអ្នកគ្រប់គ្រងដើម្បីដកចេញទេ",
"onlyAdminCanRemoveMembers": "You are not the creator", "onlyAdminCanRemoveMembers": "អ្នកមិនមែនជាអ្នកបង្កើតទេ",
"onlyAdminCanRemoveMembersDesc": "Only the creator of the group can remove users", "onlyAdminCanRemoveMembersDesc": "មានតែអ្នកបង្កើតក្រុមដែលអាចដកអ្នកប្រើចេញបាន",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Keep in System Tray", "startInTrayTitle": "រក្សាទុកក្នុងថាសប្រព័ន្ធ",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "បន្តដំណើរការកម្មវិធី Session ក្នុងផ្ទៃខាងក្រោយ នៅពេលអ្នកបិទវីនដូ។",
"yourUniqueSessionID": "Say hello to your Session ID", "yourUniqueSessionID": "និយាយថា សួស្តីទៅកាន់ Session ID របស់អ្នក",
"allUsersAreRandomly...": "Your Session ID is the unique address people can use to contact you on Session. With no connection to your real identity, your Session ID is totally anonymous and private by design.", "allUsersAreRandomly...": "Session ID របស់អ្នកជាអាសយដ្ឋានតែមួយគត់ដែលមនុស្សអាចប្រើ ដើម្បីទាក់ទងអ្នកនៅលើ Session។ Session ID របស់អ្នកត្រូវបានរចនាឡើងដោយអនាមិក និងឯកជនទាំងស្រុង ដោយមិនមានពាក់ព័ន្ធជាមួយអត្តសញ្ញាណពិតប្រាកដរបស់អ្នក។",
"getStarted": "Get started", "getStarted": "បានចាប់ផ្តើម",
"createSessionID": "Create Session ID", "createSessionID": "បង្កើត Session ID",
"recoveryPhrase": "Recovery Phrase", "recoveryPhrase": "ឃ្លាស្តារឡើងវិញ",
"enterRecoveryPhrase": "Enter your recovery phrase", "enterRecoveryPhrase": "បញ្ចូលឃ្លាស្តារឡើងវិញរបស់អ្នក",
"displayName": "Display Name", "displayName": "បង្ហាញឈ្មោះ",
"anonymous": "Anonymous", "anonymous": "អនាមិក",
"removeResidueMembers": "Clicking ok will also remove those members as they left the group.", "removeResidueMembers": "ការចុច យល់ព្រម នោះនឹងដកសមាជិកទាំងអស់នោះចេញដោយសារពួកគេចាកចេញពីក្រុមនេះ។",
"enterDisplayName": "Enter a display name", "enterDisplayName": "បញ្ចូលឈ្មោះបង្ហាញ",
"continueYourSession": "Continue Your Session", "continueYourSession": "បន្ត Session របស់អ្នក",
"linkDevice": "Link Device", "linkDevice": "ភ្ជាប់ឧបករណ៍",
"restoreUsingRecoveryPhrase": "Restore your account", "restoreUsingRecoveryPhrase": "ស្តារគណនីរបស់អ្នកឡើងវិញ",
"or": "or", "or": "ឬ",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "តាមរយៈការប្រើប្រាស់សេវានេះ អ្នកយល់ព្រមនឹង <a href=\"https://getsession.org/terms-of-service \">លក្ខខណ្ឌឌ​ប្រើប្រាស់</a> និង <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">គោលការណ៍ឯកជនភាព</a> របស់យើង",
"beginYourSession": "Begin your Session.", "beginYourSession": "ចាប់ផ្តើម​​ Session របស់អ្នក។",
"welcomeToYourSession": "Welcome to your Session", "welcomeToYourSession": "សូមស្វាគមន៍មកកាន់ Session របស់អ្នក",
"searchFor...": "Search conversations and contacts", "searchFor...": "ស្វែងរកការសន្ទនា និងទំនាក់ទំនង",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "ស្វែងរកទំនាក់ទំនង",
"enterSessionID": "Enter Session ID", "enterSessionID": "បញ្ចូល Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "បញ្ចូល Session ID ឬ ONS ទំនាក់ទំនងរបស់អ្នក",
"message": "Message", "message": "សារ",
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "រូបរាង",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "ឯកជនភាព",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "ការជូនដំណឹង",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "ខ្លឹមសារនៃការជូនដំណឹង",
"recoveryPhraseEmpty": "Enter your recovery phrase", "notificationPreview": "មើលជាមុន",
"recoveryPhraseEmpty": "បញ្ចូលឃ្លាស្តារឡើងវិញរបស់អ្នក",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"members": "$count$ members", "displayNameTooLong": "Display name is too long",
"join": "Join", "members": "សមាជិក $count$",
"joinOpenGroup": "Join Community", "activeMembers": "$count$ active members",
"createGroup": "Create Group", "join": "ចូលរួម",
"create": "Create", "joinOpenGroup": "ចូលរួមសហគមន៍",
"createClosedGroupNamePrompt": "Group Name", "createGroup": "បង្កើតក្រុម",
"createClosedGroupPlaceholder": "Enter a group name", "create": "បង្កើត",
"openGroupURL": "Community URL", "createClosedGroupNamePrompt": "ឈ្មោះក្រុម",
"enterAnOpenGroupURL": "Enter Community URL", "createClosedGroupPlaceholder": "បញ្ចូលឈ្មោះក្រុម",
"next": "Next", "openGroupURL": "URL សហគមន៍",
"invalidGroupNameTooShort": "Please enter a group name", "enterAnOpenGroupURL": "បញ្ចូល URL សហគមន៍",
"invalidGroupNameTooLong": "Please enter a shorter group name", "next": "បន្ទាប់",
"pickClosedGroupMember": "Please pick at least 1 group member", "invalidGroupNameTooShort": "សូមបញ្ចូលឈ្មោះក្រុម",
"closedGroupMaxSize": "A group cannot have more than 100 members", "invalidGroupNameTooLong": "សូមបញ្ចូលឈ្មោះក្រុមឲ្យខ្លីជាងនេះ",
"noBlockedContacts": "No blocked contacts", "pickClosedGroupMember": "សូមជ្រើសរើសសមាជិកក្រុមយ៉ាងតិចបំផុត 1 នាក់",
"userAddedToModerators": "User added to admin list", "closedGroupMaxSize": "​ក្រុមមួយមិនអាចមានសមាជិកលើសពី 100 បានឡើយ",
"userRemovedFromModerators": "User removed from admin list", "noBlockedContacts": "អ្នកមិនមានទំនាក់ទំនងដែលត្រូវបានទប់ស្កាត់ទេ។",
"orJoinOneOfThese": "Or join one of these...", "userAddedToModerators": "អ្នកប្រើបានបន្ថែមទៅបញ្ជីអ្នកគ្រប់គ្រង",
"helpUsTranslateSession": "Translate Session", "userRemovedFromModerators": "អ្នកប្រើបានដកចេញពីបញ្ជីអ្នកគ្រប់គ្រង",
"closedGroupInviteFailTitle": "Group Invitation Failed", "orJoinOneOfThese": "ឬចូលរួមក្នុងចំណោមណាមួយនេះ…",
"closedGroupInviteFailTitlePlural": "Group Invitations Failed", "helpUsTranslateSession": "បកប្រែ Session",
"closedGroupInviteFailMessage": "Unable to successfully invite a group member", "closedGroupInviteFailTitle": "ការអញ្ជើញជាក្រុមមិនបានសម្រេច",
"closedGroupInviteFailMessagePlural": "Unable to successfully invite all group members", "closedGroupInviteFailTitlePlural": "ការអញ្ជើញជាក្រុមមិនបានសម្រេច",
"closedGroupInviteOkText": "Retry invitations", "closedGroupInviteFailMessage": "មិនអាចអញ្ជើញសមាជិកក្រុមបានដោយជោគជ័យទេ",
"closedGroupInviteSuccessTitlePlural": "Group Invitations Completed", "closedGroupInviteFailMessagePlural": "មិនអាចអញ្ជើញសមាជិកក្រុមទាំងអស់បានដោយជោគជ័យទេ",
"closedGroupInviteSuccessTitle": "Group Invitation Succeeded", "closedGroupInviteOkText": "សាកល្បងអញ្ជើញម្តងទៀត",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessTitlePlural": "ការអញ្ជើញជាក្រុមបានបញ្ចប់",
"notificationForConvo": "Notifications", "closedGroupInviteSuccessTitle": "ការអញ្ជើញក្រុមបានជោគជ័យ",
"notificationForConvo_all": "All", "closedGroupInviteSuccessMessage": "សមាជិកក្រុមបានអញ្ជើញដោយជោគជ័យ",
"notificationForConvo_disabled": "Disabled", "notificationForConvo": "ការជូនដំណឹង",
"notificationForConvo_mentions_only": "Mentions only", "notificationForConvo_all": "ទាំងអស់",
"onionPathIndicatorTitle": "Path", "notificationForConvo_disabled": "បានបិទ",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:", "notificationForConvo_mentions_only": "ការលើកឡើងតែប៉ុណ្ណោះ",
"unknownCountry": "Unknown Country", "onionPathIndicatorTitle": "ផ្លូវ",
"device": "Device", "onionPathIndicatorDescription": "កម្មវិធី Session លាក់ IP របស់អ្នកដោយបញ្ជូនសាររបស់អ្នកតាមរយៈមុខងារ Service Nodes ជាច្រើននៅក្នុងបណ្តាញវិមជ្ឈការរបស់កម្មវិធី Session។ នេះគឺជាបណ្តាប្រទេសដែលចរាចរណ៍អ៊ីនធឺណិតរបស់អ្នកពេលថ្មីៗនេះកំពុងត្រូវបានបញ្ជូននាតាមរយៈ៖",
"destination": "Destination", "unknownCountry": "ប្រទេសដែលមិនស្គាល់",
"learnMore": "Learn more", "device": "ឧបករណ៍",
"linkVisitWarningTitle": "Open this link in your browser?", "destination": "គោលដៅ",
"linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?", "learnMore": "ស្វែង​យល់​បន្ថែម",
"open": "Open", "linkVisitWarningTitle": "បើកតំណនេះនៅក្នុងកម្មវិធីរុករកអ៊ីនធឺណិតរបស់អ្នកមែនទេ?",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "linkVisitWarningMessage": "តើអ្នកប្រាកដថាចង់បើក $url$ នៅក្នុង browser របស់អ្នកទេ?",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "open": "បើក",
"clickToTrustContact": "Click to download media", "audioMessageAutoplayTitle": "ចាក់សារជាសំឡេងដោយស្វ័យប្រវត្តិ",
"trustThisContactDialogTitle": "Trust $name$?", "audioMessageAutoplayDescription": "ចាក់សារជាសំឡេងបន្តបន្ទាប់គ្នាដោយស្វ័យប្រវត្តិ។",
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "clickToTrustContact": "ចុចទាញយកមេឌៀ",
"pinConversation": "Pin Conversation", "trustThisContactDialogTitle": "ជឿទុកចិត្តចំពោះ $name$ មែនទេ?",
"unpinConversation": "Unpin Conversation", "trustThisContactDialogDescription": "តើ​អ្នក​ពិត​ជា​ចង់​ទាញ​យក​មេឌៀ​ដែល​ផ្ញើ​ដោយ $name$ មែនទេ?",
"showUserDetails": "Show User Details", "pinConversation": "ខ្ទាស់ការសន្ទនា",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "unpinConversation": "បិតខ្ទាស់ការសន្ទនា",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "markUnread": "Mark Unread",
"dialogClearAllDataDeletionFailedTitle": "Data not deleted", "showUserDetails": "បង្ហាញព័ត៌មានលម្អិតអ្នកប្រើ",
"dialogClearAllDataDeletionFailedDesc": "Data not deleted with an unknown error. Do you want to delete data from just this device?", "sendRecoveryPhraseTitle": "កំពុងផ្ញើឃ្លាស្តារឡើងវិញ",
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "sendRecoveryPhraseMessage": "អ្នកកំពុងព្យាយាមផ្ញើឃ្លាស្តារឡើងវិញរបស់អ្នក ដែលអាចត្រូវប្រើប្រាស់ដើម្បីចូលប្រើគណនីរបស់អ្នក។ តើអ្នកប្រាកដទេថាអ្នកចង់ផ្ញើសារនេះ?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedTitle": "ទិន្នន័យមិនត្រូវបានលុបទេ",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionFailedDesc": "ទិន្នន័យមិនបានលុបចេញដោយបញ្ហាដែលមិនស្គាល់។ តើអ្នកចង់លុបទិន្នន័យចេញពីឧបករណ៍នេះដែរឬទេ?",
"deviceOnly": "Clear Device Only", "dialogClearAllDataDeletionFailedTitleQuestion": "តើអ្នកចង់លុបទិន្នន័យចេញពីឧបករណ៍នេះមែនទេ?",
"entireAccount": "Clear Device and Network", "dialogClearAllDataDeletionFailedMultiple": "ទិន្នន័យមិនបានលុបដោយមុខងារ Service Nodes ទាំងអស់នោះ៖ $snodes$",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "dialogClearAllDataDeletionQuestion": "តើអ្នកចង់ជម្រះតែឧបករណ៍នេះ ឬលុបទិន្នន័យរបស់អ្នកចេញពីបណ្តាញនេះមែនទេ?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "clearDevice": "ជម្រះឧបករណ៍",
"iAmSure": "I am sure", "tryAgain": "សូមព្យាយាម​ម្តង​ទៀត",
"recoveryPhraseSecureTitle": "You're almost finished!", "areYouSureClearDevice": "តើអ្នកប្រាកដទេថា អ្នកចង់ជម្រះឧបករណ៍របស់អ្នកចេញ?",
"recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.", "deviceOnly": "ជម្រះតែឧបករណ៍ប៉ុណ្ណោះ",
"recoveryPhraseRevealButtonText": "Reveal Recovery Phrase", "entireAccount": "ជម្រះឧបករណ៍ និងបណ្តាញ",
"notificationSubtitle": "Notifications - $setting$", "areYouSureDeleteDeviceOnly": "តើអ្នកប្រាកដទេថា អ្នកចង់លុបតែទិន្នន័យឧបករណ៍របស់អ្នកនេះ?",
"surveyTitle": "We'd Love Your Feedback", "areYouSureDeleteEntireAccount": "តើអ្នកពិតជាចង់លុបទិន្នន័យរបស់អ្នកចេញពីបណ្តាញនេះមែនទេ? ប្រសិនបើអ្នកបន្ត អ្នកនឹងមិនអាចស្តារសារ ឬទំនាក់ទំនងរបស់អ្នកឡើងវិញបានទេ។",
"faq": "FAQ", "iAmSure": "ខ្ញុំ​ប្រាកដណាស់",
"support": "Support", "recoveryPhraseSecureTitle": "អ្នកបានធ្វើជិតរួចរាល់ហើយ!",
"clearAll": "Clear All", "recoveryPhraseRevealMessage": "រក្សាទុកឃ្លាស្តារឡើងវិញរបស់អ្នកដើម្បីធានាថាគណនីរបស់អ្នកមានសុវត្ថិភាព។ បង្ហាញឃ្លាស្តារឡើងវិញរបស់អ្នក បន្ទាប់មករក្សាទុកវាឱ្យមានសុវត្ថិភាពល្អ។",
"clearDataSettingsTitle": "Clear Data", "recoveryPhraseRevealButtonText": "បង្ហាញឃ្លាស្តារឡើងវិញ",
"messageRequests": "Message Requests", "notificationSubtitle": "ការជូនដំណឹង - $setting$",
"requestsSubtitle": "Pending Requests", "surveyTitle": "យើងចូលចិត្តមតិយោបល់របស់អ្នក",
"requestsPlaceholder": "No requests", "faq": "សំណួរដែលសួរញឹកញាប់",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "support": "ជំនួយ",
"incomingCallFrom": "Incoming call from '$name$'", "clearAll": "ជម្រះ​ទាំងអស់",
"ringing": "Ringing...", "clearDataSettingsTitle": "ជម្រះទិន្នន័យ",
"establishingConnection": "Establishing connection...", "messageRequests": "ការស្នើសុំសារ",
"accept": "Accept", "requestsSubtitle": "សំណើដែលមិនទាន់សម្រេច",
"decline": "Decline", "requestsPlaceholder": "គ្មានសំណើ",
"endCall": "End call", "hideRequestBannerDescription": "លាក់ផ្ទាំងបដាស្នើសុំសារ រហូតទាល់តែអ្នកទទួលបានការស្នើសុំសារថ្មីមួយ។",
"permissionsSettingsTitle": "Permissions", "incomingCallFrom": "ការហៅចូលពី '$name$'",
"helpSettingsTitle": "Help", "ringing": "កំពុងរោទ៍...",
"cameraPermissionNeededTitle": "Voice/Video Call permissions required", "establishingConnection": "កំពុង​បង្កើត​ការ​តភ្ជាប់...",
"cameraPermissionNeeded": "You can enable the 'Voice and video calls' permission in the Privacy Settings.", "accept": "ទទួលយក",
"unableToCall": "Cancel your ongoing call first", "decline": "បដិសេធ",
"unableToCallTitle": "Cannot start new call", "endCall": "បញ្ចប់ការហៅ",
"callMissed": "Missed call from $name$", "permissionsSettingsTitle": "ការអនុញ្ញាត",
"callMissedTitle": "Call missed", "helpSettingsTitle": "ជំនួយ",
"noCameraFound": "No camera found", "cameraPermissionNeededTitle": "តម្រូវឱ្យមានការអនុញ្ញាតការហៅជាសំឡេង/ជាវីដេអូ",
"noAudioInputFound": "No audio input found", "cameraPermissionNeeded": "អ្នកអាចបើកការអនុញ្ញាត 'ការហៅទូសព្ទជាសំឡេង និងជាវីដេអូ' នៅក្នុងការកំណត់ឯកជនភាព។",
"noAudioOutputFound": "No audio output found", "unableToCall": "បោះបង់ការហៅដែលកំពុងបន្តរបស់អ្នកជាមុនសិន",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "unableToCallTitle": "មិនអាចចាប់ផ្តើមការហៅទូរសព្ទថ្មីបានទេ",
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissed": "បាន​ខកខាន​ទទួល​ការ​ហៅ​ពី $name$",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedTitle": "ការហៅដែលបានខកខាន",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "noCameraFound": "រកមិនឃើញកាមេរ៉ា",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "noAudioInputFound": "រកមិនឃើញការបញ្ចូលអូឌីយ៉ូ",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "noAudioOutputFound": "រកមិនឃើញឧបករណ៍បញ្ចេញអូឌីយ៉ូ",
"startedACall": "You called $name$", "callMediaPermissionsTitle": "ការហៅជាសំឡេង និងជា​វីដេអូ (បេតា)",
"answeredACall": "Call with $name$", "callMissedCausePermission": "ការហៅដែលបានខកខានពី '$name$' ពីព្រោះអ្នកត្រូវការបើកការអនុញ្ញាត 'ការហៅជាសំឡេង និងជាវីដេអូ' នៅក្នុងការកំណត់ឯកជនភាព។",
"trimDatabase": "Trim Database", "callMissedNotApproved": "ការហៅដែលបានខកខានពី '$name$' ពីព្រោះអ្នកមិនទទួលបានការអនុញ្ញាតលើការសន្ទនារនេះនៅឡើយទេ។ ផ្ញើសារមួយទៅកាន់ពួកគេជាមុនសិន។",
"trimDatabaseDescription": "Reduces your message database size to your last 10,000 messages.", "callMediaPermissionsDescription": "បើកការហៅជាសំឡេង និងជាវីដេអូទៅកាន់ និងមកពីអ្នកប្រើផ្សេងទៀត។",
"trimDatabaseConfirmationBody": "Are you sure you want to delete your $deleteAmount$ oldest received messages?", "callMediaPermissionsDialogContent": "ដៃគូហៅទូរសព្ទរបស់អ្នក និងម៉ាស៊ីនមេ Oxen Foundation អាចមើលឃើញអាសយដ្ឋាន IP របស់អ្នក នៅពេលកំពុងប្រើប្រាស់ការហៅបេតា។ តើអ្នកប្រាកដថា អ្នកចង់បើកការហៅជាសំឡេង និងជាវីដេអូមែនទេ?",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...", "callMediaPermissionsDialogTitle": "ការហៅជាសំឡេង និងជា​វីដេអូ (បេតា)",
"messageRequestPending": "Your message request is currently pending", "startedACall": "អ្នកបានហៅ $name$",
"messageRequestAccepted": "Your message request has been accepted", "answeredACall": "ហៅជាមួយ $name$",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request", "trimDatabase": "សម្អាតមូលដ្ឋានទិន្នន័យ",
"messageRequestAcceptedOursNoName": "You have accepted the message request", "trimDatabaseDescription": "កាត់បន្ថយទំហំមូលដ្ឋានទិន្នន័យសាររបស់អ្នកទៅ 10,000 សារចុងក្រោយរបស់អ្នក។",
"declineRequestMessage": "Are you sure you want to decline this message request?", "trimDatabaseConfirmationBody": "តើអ្នកពិតជាចង់លុបសារដែលបានទទួលចំនួន $deleteAmount$ ដែលជាសារចាស់ជាងគេរបស់អ្នកមែនទេ?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "pleaseWaitOpenAndOptimizeDb": "សូមរង់ចាំនៅខណៈពេលដែលមូលដ្ឋានទិន្នន័យរបស់អ្នកកំពុងតែបើក និងបង្កើនប្រសិទ្ធភាព...",
"hideRequestBanner": "Hide Message Request Banner", "messageRequestPending": "ការស្នើសុំសាររបស់អ្នកកំពុងរង់ចាំថ្មីៗនេះ",
"openMessageRequestInbox": "Message Requests", "messageRequestAccepted": "បានទទួលយកការស្នើសុំសាររបស់អ្នករួចហើយ",
"noMessageRequestsPending": "No pending message requests", "messageRequestAcceptedOurs": "អ្នកបានទទួលយកការស្នើសុំសាររបស់ $name$",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved", "messageRequestAcceptedOursNoName": "អ្នកបានទទួលយកការស្នើសុំសារនេះ",
"mustBeApproved": "This conversation must be accepted to use this feature", "declineRequestMessage": "តើអ្នកពិតជាអ្នកចង់លុបការស្នើសុំសារទាំងអស់ចេញមែនទេ?",
"youHaveANewFriendRequest": "You have a new friend request", "respondingToRequestWarning": "ការផ្ញើសារទៅកាន់អ្នកប្រើរូបនេះនឹងទទួលយកសំណើសាររបស់ពួកគេដោយស្វ័យប្រវត្តិ ហើយបង្ហាញ Session ID របស់អ្នក។",
"clearAllConfirmationTitle": "Clear All Message Requests", "hideRequestBanner": "លាក់ផ្ទាំងបដាស្នើសុំសារ",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "openMessageRequestInbox": "ការស្នើសុំសារ",
"hideBanner": "Hide", "noMessageRequestsPending": "គ្មានការស្នើសុំដែលកំពុងរង់ចាំ",
"openMessageRequestInboxDescription": "View your Message Request inbox", "noMediaUntilApproved": "អ្នកមិនអាចផ្ញើឯកសារភ្ជាប់បានទេ រហូតទាល់តែការសន្ទនាទទួលបានការយល់ព្រម",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "mustBeApproved": "ការសន្ទនានេះត្រូវតែទទួលយកដើម្បីប្រើប្រាស់មុខងារនេះ",
"expandedReactionsText": "Show Less", "youHaveANewFriendRequest": "អ្នក​មាន​ការស្នើសុំ​សារ​ថ្មីមួយ",
"reactionNotification": "Reacts to a message with $emoji$", "clearAllConfirmationTitle": "ជម្រះការស្នើសុំសារទាំងអស់",
"otherSingular": "$number$ other", "clearAllConfirmationBody": "តើអ្នកប្រាកដទេថា អ្នកពិតចង់លុបសំណើសារទាំងអស់ចេញ?",
"otherPlural": "$number$ others", "noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"reactionPopup": "reacted with", "noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "លាក់",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "សូមពិនិត្យមើលប្រអប់សំបុត្រស្នើសុំសាររបស់អ្នក",
"clearAllReactions": "តើអ្នកប្រាកដទេថាអ្នកចង់ជម្រះសញ្ញា $emoji$ ទាំងអស់ចេញ?",
"expandedReactionsText": "បង្ហាញតិចជាង",
"reactionNotification": "សូមប្រតិកម្មទៅនឹងសារណាដែលមានសញ្ញា$emoji$",
"rateLimitReactMessage": "កុំលឿនពេក ! អ្នកបានផ្ញើរូប Emoji ច្រើនពេក។ សូមព្យាយាមម្តងទៀតក្នុងពេលឆាប់ៗនេះ",
"otherSingular": "$number$ ផ្សេងទៀត",
"otherPlural": "$number$ ផ្សេងទៀត",
"reactionPopup": "បានប្រតិកម្មជាមួយ",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ និង $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ និង $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ និង",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "និង $otherSingular$ បាន​ប្រតិកម្ម <span>$emoji$</span> ទៅកាន់សារនេះ",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "និង $otherPlural$ បានប្រតិកម្ម <span>$emoji$</span> ទៅកាន់សារនេះ"
} }

508
_locales/kmr/messages.json Normal file
View File

@ -0,0 +1,508 @@
{
"copyErrorAndQuit": "Çewtiyê kopî bike û derkeve",
"unknown": "Nenas",
"databaseError": "Çewtiya danegehê",
"mainMenuFile": "&Dosye",
"mainMenuEdit": "&Biguhêre",
"mainMenuView": "&Bibîne",
"mainMenuWindow": "&Pencere",
"mainMenuHelp": "&Alîkarî",
"appMenuHide": "Biveşêre",
"appMenuHideOthers": "Yên din biveşêre",
"appMenuUnhide": "Temamê wan nîşan bide",
"appMenuQuit": "Ji Session-ê derkeve",
"editMenuUndo": "Vegerîne",
"editMenuRedo": "Dîsa bike",
"editMenuCut": "Biqusîne",
"editMenuCopy": "Kopî bike",
"editMenuPaste": "Pêve bike",
"editMenuDeleteContact": "Kontaktê jê bibe",
"editMenuDeleteGroup": "Komê jê bibe",
"editMenuSelectAll": "Temamê wan bibijêre",
"windowMenuClose": "Pancereyê bigire",
"windowMenuMinimize": "Biçûk bike",
"windowMenuZoom": "Nêzîk bike",
"viewMenuResetZoom": "Mezinahiya eslî",
"viewMenuZoomIn": "Nêzîk bike",
"viewMenuZoomOut": "Dûr bike",
"viewMenuToggleFullScreen": "Bike Ekrana Dagirtî/Jê Derkeve",
"viewMenuToggleDevTools": "Amûrên Pêşvebiran Veke/Bigire",
"contextMenuNoSuggestions": "Ti pêşniyarek nîne",
"openGroupInvitation": "Daweta civatê",
"joinOpenGroupAfterInvitationConfirmationTitle": "Tevlî $roomName$ dibî?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Tu piştrast î ku tu dixwazî tevlî civata $roomName$ bibî?",
"couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "IDya Sessionê an navê ONSyê binivîse",
"startNewConversationBy...": "Dest bi sohbeteke nû bike bi têketina IDya Session-ê yê yekî an IDya xwe Session-ê bi wan re parve bike.",
"loading": "Bar dibe...",
"done": "Çêbû",
"youLeftTheGroup": "Tu ji komê terketî.",
"youGotKickedFromGroup": "Te ji komê hate avêtin.",
"unreadMessages": "Peyamên nexwendî",
"debugLogExplanation": "Ev log wê li sermaseya te qeyd bibe.",
"reportIssue": "Çewtiyekê ragihîne",
"markAllAsRead": "Temamê wan wek xwendî nîşan bike",
"incomingError": "Gava wergirtina peyama hatî çewtiyeke derket",
"media": "Medya",
"mediaEmptyState": "Medya tine",
"documents": "Dokument",
"documentsEmptyState": "Dokument tine",
"today": "Îro",
"yesterday": "Do",
"thisWeek": "Vê heftiyê",
"thisMonth": "Vê mehê",
"voiceMessage": "Peyama dengî",
"stagedPreviewThumbnail": "Wek rismê biçûk reşnivîsa pêşdîtina lînkê ji bo $domain$",
"previewThumbnail": "Wêneyê biçûk yê pêşdîtina lînkê ji bo $domain$",
"stagedImageAttachment": "Reşnivîsa ataşmana wêneyê: $path$",
"oneNonImageAtATimeToast": "Bibore, lîmîteke heye ku ji bo her peyamê tenê yek ataşmanên ne-wêneyî tevlî dibe",
"cannotMixImageAndNonImageAttachments": "Bibore, di yek peyamekê de tu nikarî wêneyan bi cureyên dosyeyê yên din re tevîhev bikî",
"maximumAttachments": "Gihîşte hejmara maksîmum ya zêdekan. Ji kerema xwe ataşmanên mayî di peyameke nû de bişîne.",
"fileSizeWarning": "Ataşman ji bo cureyê peyama tu dişînî, ji sînora mezinahiyê derbas bû.",
"unableToLoadAttachment": "Bibore, di sazkirina zêdekê de çewtiyekê rû da.",
"offline": "Offline",
"debugLog": "Loga pînekirina çewtiyan",
"showDebugLog": "Logan derxîne",
"shareBugDetails": "Logên xwe eksport bike, paşê bi wasiteya Maseya Alîkariyê ya Session-ê hilbar bike.",
"goToReleaseNotes": "Here Notên Versiyonê",
"goToSupportPage": "Her Rûpela Destekê",
"about": "Derbar",
"show": "Nîşan bide",
"sessionMessenger": "Session",
"noSearchResults": "Encam peyda nebû ji bo \"$searchTerm$\"",
"conversationsHeader": "Kontakt û Kom",
"contactsHeader": "Kontakt",
"messagesHeader": "Conversations",
"settingsHeader": "Mîheng",
"typingAlt": "Anîmasyona nivîsînê ji bo vê sohbetê",
"contactAvatarAlt": "Avatara ji bo $name$",
"downloadAttachment": "Ataşmanê daxîne",
"replyToMessage": "Cewab bide peyamê",
"replyingToMessage": "Cewab didî:",
"originalMessageNotFound": "Peyama orjînal peyda nebû",
"you": "Tu",
"audioPermissionNeededTitle": "Gihîna Mîkrofonê Hewce ye",
"audioPermissionNeeded": "Tu dikarî gihîna mîkrofonê aktîv bikî ji vir: Mîheng (îkona diranokê) => Nihênî",
"audio": "Audio",
"video": "Video",
"photo": "Wêne",
"cannotUpdate": "Nikare Rojane Bike",
"cannotUpdateDetail": "Bi ser neket ku Session Sermaseyê rojane bike, lê belê versiyoneke nû berdest e. Ji kerema xwe here https://getsession.org/ û versiyona nû bi destan saz bike, di peyî re xwe bigihîne destekê an derbarê vê problemê de bug-ekî çêke û bişîne.",
"ok": "Bila",
"cancel": "Na bê",
"close": "Girti",
"continue": "Berdewam",
"error": "Şaşî",
"delete": "Jêbirin",
"messageDeletionForbidden": "Îzna te tine ye ku mesajên kesên din jê bibî",
"deleteJustForMe": "Tenê ji bo min jê bibe",
"deleteForEveryone": "Ji bo tevan jê bibe",
"deleteMessagesQuestion": "Bila $count$ peyaman jê bibe?",
"deleteMessageQuestion": "Bila vê peyamê jê bibe?",
"deleteMessages": "Peyaman Jê Bibe",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ jêbirî ne",
"messageDeletedPlaceholder": "Ev peyam hatiye jêbirin",
"from": "Ji:",
"to": "Ji bo:",
"sent": "Hate şandin",
"received": "Hatiye wergirtin",
"sendMessage": "Not",
"groupMembers": "Endam",
"moreInformation": "Zêdetir agahî",
"resend": "Cardin bişîne",
"deleteConversationConfirmation": "Bila ev mesajên di vê sohbetê de daîmen were jêbirin?",
"clear": "Paqij",
"clearAllData": "Hemû daneyên paqij bikie",
"deleteAccountWarning": "Ev wê mesaj û kontaktên te daîmen jê bibe.",
"deleteAccountFromLogin": "Tu emîn î ku dixwazî cîhaza xwe paqij bikî?",
"deleteContactConfirmation": "Tu piştrast î ku tu dixwazî vê sohbetê jê bibî?",
"quoteThumbnailAlt": "Ji peyama jêgirtî pêşdîtina wêneyê wek rismê biçûk",
"imageAttachmentAlt": "Wêneyekê tevlî mesajê kiriye",
"videoAttachmentAlt": "Rismê ekranê ya vîdeoya di mesajê de",
"lightboxImageAlt": "Wêneyê di sohbetê de şandî",
"imageCaptionIconAlt": "Îkon nîşan dide ku ev wêne xwedî sernavekî ye",
"addACaption": "Sernavekî tevlî bike...",
"copySessionID": "IDya Sessionê Kopî Bike",
"copyOpenGroupURL": "URLya Komê Kopî Bike",
"save": "Qeyd bike",
"saveLogToDesktop": "Logê qeydê sermaseyê bike",
"saved": "Hate qeydkirin",
"tookAScreenshot": "$name$ wêneyekî ekranê kişand",
"savedTheFile": "Medya ji aliyê $name$ ve hate qeydkirin",
"linkPreviewsTitle": "Pêşdîtinên Lînkan Bişîne",
"linkPreviewDescription": "Pêşdîtinên lînkan çêke ji bo URLyên ku tên piştgirîkirin.",
"linkPreviewsConfirmMessage": "Gava pêşdîtinên lînkan dişînî tu yê xwedî muhafezeya full ya metadaneyê nebî.",
"mediaPermissionsTitle": "Mîkrofon",
"mediaPermissionsDescription": "Îzn bide ji bo gihîna mîkrofonê.",
"spellCheckTitle": "Rastnivîsê Kontrol Bike",
"spellCheckDescription": "Gava nivîsîna mesajan kontrola rastnivîsê aktîv bike.",
"spellCheckDirty": "Ji bo tetbîqkirina mîhengên xwe yên nû divê Session-ê ji nû ve bidî destpêkirin",
"readReceiptSettingDescription": "Di sohbetên yek-bi-yek de agahiya xwendinê bişîne.",
"readReceiptSettingTitle": "Agahiyên Xwendinê",
"typingIndicatorsSettingDescription": "Îndîkatorên nivîsînê bibîne û parve bike di sohbetên yek-bi-yek de.",
"typingIndicatorsSettingTitle": "Îndîkatorên nivîsînê",
"zoomFactorSettingTitle": "Faktora zoomê",
"themesSettingTitle": "Tema",
"primaryColor": "Rengê Sereke",
"primaryColorGreen": "Rengê seretayî kesk",
"primaryColorBlue": "Rengê seretayî şîn",
"primaryColorYellow": "Rengê seretayî zer",
"primaryColorPink": "Rengê seretayî helesor",
"primaryColorPurple": "Rengê seretayî binevşî",
"primaryColorOrange": "Rengê seretayî pirteqalî",
"primaryColorRed": "Rengê seretayî sor",
"classicDarkThemeTitle": "Tarîya Klasîk",
"classicLightThemeTitle": "Ronîya Klasîk",
"oceanDarkThemeTitle": "Tarîya Okyanûsê",
"oceanLightThemeTitle": "Ronîya Okyanûsê",
"pruneSettingTitle": "Civakan kêmtir bike",
"pruneSettingDescription": "Peyamên kevintirî 6 mehan jê dibe, ji Civatên ku xwediyê zêdetirî 2000 peyaman in.",
"enable": "Bikêrkirin",
"keepDisabled": "Girtî bihêle",
"notificationSettingsDialog": "Malûmatên di danezanan de tên nîşandan.",
"nameAndMessage": "Nav & Naverok",
"noNameOrMessage": "Nav an naverok tine",
"nameOnly": "Tenê Nav",
"newMessage": "Notiyê nû",
"createConversationNewContact": "Bi kontaktekî nû re sohbetekê çêke",
"createConversationNewGroup": "Bi kontaktên mewcûd re grûbekê çêke",
"joinACommunity": "Tevlî civatekî bibe",
"chooseAnAction": "Ji bo destpêkirina sohbetekê kiryarekê bibijêre",
"newMessages": "Notiyên nû",
"notificationMostRecentFrom": "Peyama nûtirîn ji: $name$",
"notificationFrom": "Ji:",
"notificationMostRecent": "Peyama nûtirîn:",
"sendFailed": "Şandin biser neket",
"mediaMessage": "Peyama medyayê",
"messageBodyMissing": "Ji kerema xwe mesajekî binivîse.",
"messageBody": "Metnê mesajê",
"unblockToSend": "Ji bo şandina peyamê vê bloka vî kontaktê rake.",
"unblockGroupToSend": "Ev kom blokkirî ye. Ger bixwazî mesaj bişînî, blokê rake.",
"youChangedTheTimer": "Te peyamên winda dibin ji $time$ re saz kir",
"timerSetOnSync": "Zemanê windabûna peyaman ji $time$ re saz kir",
"theyChangedTheTimer": "$name$ zemanê windabûna mesajan saz kir $time$",
"timerOption_0_seconds": "Bese",
"timerOption_5_seconds": "5 diduyan",
"timerOption_10_seconds": "10 diduyan",
"timerOption_30_seconds": "30 diduyan",
"timerOption_1_minute": "1 deqeke",
"timerOption_5_minutes": "5 deqeke",
"timerOption_30_minutes": "30 deqeke",
"timerOption_1_hour": "1 seet",
"timerOption_6_hours": "6 seet",
"timerOption_12_hours": "12 seet",
"timerOption_1_day": "1 roj",
"timerOption_1_week": "1 hefte",
"timerOption_2_weeks": "2 hefte",
"disappearingMessages": "Mesajên ku tine dibin",
"changeNickname": "Bernavkê Biguherîne",
"clearNickname": "Bernavkê Paqij Bike",
"nicknamePlaceholder": "Bernavka Nû",
"changeNicknameMessage": "Bernavkekê têkeve ji bo vî bikarhênerî",
"timerOption_0_seconds_abbreviated": "girtî",
"timerOption_5_seconds_abbreviated": "5sn",
"timerOption_10_seconds_abbreviated": "10sn",
"timerOption_30_seconds_abbreviated": "30sn",
"timerOption_1_minute_abbreviated": "1d",
"timerOption_5_minutes_abbreviated": "5d",
"timerOption_30_minutes_abbreviated": "30d",
"timerOption_1_hour_abbreviated": "1s",
"timerOption_6_hours_abbreviated": "6s",
"timerOption_12_hours_abbreviated": "12s",
"timerOption_1_day_abbreviated": "1r",
"timerOption_1_week_abbreviated": "1h",
"timerOption_2_weeks_abbreviated": "2h",
"disappearingMessagesDisabled": "Peyamên winda dibin girtî ye",
"disabledDisappearingMessages": "$name$ mesajên winda dibin girt.",
"youDisabledDisappearingMessages": "Te mesajên winda dibin girt.",
"timerSetTo": "Wextê windabûna mesajan kir $time$",
"noteToSelf": "Not ji bo xwe",
"hideMenuBarTitle": "Darikê Menuyê Biveşêre",
"hideMenuBarDescription": "Xuyabûna darikê menuyê ya sîstemê veke/bigire.",
"startConversation": "Sohbeteke Nû Bide Destpêkirin",
"invalidNumberError": "Ji kerema xwe IDya Sessionê an navê ONSyê kontrol bike û dîsa biceribîne",
"failedResolveOns": "Bi ser neket ku navê ONSyê peyda bike",
"autoUpdateSettingTitle": "Rojanekirina otomatîk",
"autoUpdateSettingDescription": "Di destpêkê de rojanekirina otomatîken kontrol dike.",
"autoUpdateNewVersionTitle": "Rojanekirina Sessionê hazir e",
"autoUpdateNewVersionMessage": "Versiyoneke nû ya Sessionê mewcûd e.",
"autoUpdateNewVersionInstructions": "Ji bo tetbîqkirina rojanekirinan pêl bike ser \"Sessionê Ji Nû Ve Bide Destpêkirin\".",
"autoUpdateRestartButtonLabel": "Sessionê ji nû ve bide destpêkirin",
"autoUpdateLaterButtonLabel": "Paşe",
"autoUpdateDownloadButtonLabel": "Daxîne",
"autoUpdateDownloadedMessage": "Rojanekirin hate daxistin.",
"autoUpdateDownloadInstructions": "Tu dixwazî rojanekirinê daxînî?",
"leftTheGroup": "$name$ ji komê veqetiya.",
"multipleLeftTheGroup": "$name$ ji komê veqetiya",
"updatedTheGroup": "Kom hat rojanekirin",
"titleIsNow": "Navê komê vêga '$name$' ye.",
"joinedTheGroup": "$name$ tevlî komê bû.",
"multipleJoinedTheGroup": "$name$ tevlî komê bû.",
"kickedFromTheGroup": "$name$ ji komê hatiye derxistin.",
"multipleKickedFromTheGroup": "$name$ ji komê hatine derxistin.",
"block": "Block",
"unblock": "Unblock",
"unblocked": "Astengî hate rakirin",
"blocked": "Astengkirî",
"blockedSettingsTitle": "Kontaktên Astengkirî",
"conversationsSettingsTitle": "Sohbet",
"unbanUser": "Astengiya bikarhênerî rake",
"userUnbanned": "Astengiya bikarhênerî bi serkeftî hate rakirin",
"userUnbanFailed": "Rakirina astengiyê bi ser neket!",
"banUser": "Bikarhênerê Asteng bike",
"banUserAndDeleteAll": "Asteng Bike û Wan Tevan Jê Bibe",
"userBanned": "Bi serkeftî hate astengkirin",
"userBanFailed": "Blokkirin têk çû!",
"leaveGroup": "Komê Biterikîne",
"leaveAndRemoveForEveryone": "Ji Komê Derkeve û Komê Ji bo Her Kesî Rake",
"leaveGroupConfirmation": "Tu piştrast î ku tu dixwazî ji komê derkevî?",
"leaveGroupConfirmationAdmin": "Wek admînekî vê komê, eger tu biterikînî wê ew ji bo temamê endamên vê gavê were rakirin. Tu piştrast î ku tu dixwazî vê komê biterikînî?",
"cannotRemoveCreatorFromGroup": "Nebû ku vê bikarhênerî rake",
"cannotRemoveCreatorFromGroupDesc": "Tu nikarî vî bikarhênerî rakî, gava ew çêkerê vê grûpê bin.",
"noContactsForGroup": "Ti kontektekî te tine ye hêj",
"failedToAddAsModerator": "Bi ser neket ku bikarhênerê wek admîn tevlî bike",
"failedToRemoveFromModerator": "Bi ser neket ku bikarhênerê ji lîsta admînan rake",
"copyMessage": "Metna mesajê kopî bike",
"selectMessage": "Mesajê bibijêre",
"editGroup": "Komê biguherîne",
"editGroupName": "Navê komê biguherîne",
"updateGroupDialogTitle": "$name$ rojane dike...",
"showRecoveryPhrase": "Hevokên Xilaskirinê",
"yourSessionID": "IDya Sessiona Te",
"setAccountPasswordTitle": "Şîfre",
"setAccountPasswordDescription": "Ji bo vekirina qefilê şîfre lazim e.",
"changeAccountPasswordTitle": "Şîfreyê Biguherîne",
"changeAccountPasswordDescription": "Şîfreya ku ji bo vekirina qefila Sessionê lazim e biguherîne.",
"removeAccountPasswordTitle": "Şîfreyê Rake",
"removeAccountPasswordDescription": "Şîfreya ku ji bo vekirina qefila Sessionê lazim e rake.",
"enterPassword": "Ji kerema xwe şîfreyê binivîse",
"confirmPassword": "Şîfreyê tesdîq bike",
"enterNewPassword": "Ji kerema xwe şîfreya xwe ya nû têkeve",
"confirmNewPassword": "Şîfreya nû tesdîq bike",
"showRecoveryPhrasePasswordRequest": "Ji kerema xwe şîfreya xwe têkeve",
"recoveryPhraseSavePromptMain": "Peyvên xilaskirinê, mifteya esil ya IDya Sessiona te ye — tu dikarî wê ji bo restorekirina IDya xwe ya Sessionê biemilînî, ger gihîna cîhaza xwe winda bikî. Peyvên xilaskirinê li cihekî ewle muhafeze bike, û wê ji ti kesî re nede.",
"invalidOpenGroupUrl": "UDLya nederbasdar",
"copiedToClipboard": "Kopîkirî ye",
"passwordViewTitle": "Şîfreyê Têkeve",
"password": "Şîfre",
"setPassword": "Şîfre çêkirin",
"changePassword": "Şîfre juda dike",
"createPassword": "Şîfre çêkirin ji bo xwe",
"removePassword": "Şîfre paqij dike",
"maxPasswordAttempts": "Şîfreya Nederbasdar. Tu dixwazî danegehê reset bikî?",
"typeInOldPassword": "Ji kerema xwe şîfreya xwe ya berdest têkeve",
"invalidOldPassword": "Şîfreya berê nederbasdar e",
"invalidPassword": "Şîfreya nederbasdar",
"noGivenPassword": "Ji kerema xwe şîfreya xwe têkeve",
"passwordsDoNotMatch": "Şîfre li hev nayên",
"setPasswordInvalid": "Şîfre li hev nayên",
"changePasswordInvalid": "Şîfreya berê yê ku te têketiye xelet e",
"removePasswordInvalid": "Şîfreya nerast",
"setPasswordTitle": "Şîfre Hate Danîn",
"changePasswordTitle": "Şîfre Hate Guhertin",
"removePasswordTitle": "Şîfre Hat Rakirin",
"setPasswordToastDescription": "Şîfreya te hate danîn. Ji kerema xwe wê muhafeze bike.",
"changePasswordToastDescription": "Şîfreya te hate guherandin. Ji kerema xwe wê muhafeze bike.",
"removePasswordToastDescription": "Şîfreya te hat rakirin.",
"publicChatExists": "Tu jixwe girêdayî vê civatê yî",
"connectToServerFail": "Nikare tevlî civatê bibe",
"connectingToServer": "Tê girêdan...",
"connectToServerSuccess": "Bi awayekî serkeftî girê da civatê",
"setPasswordFail": "Bi ser neket ku şîfre deyne",
"passwordLengthError": "Divê şîfre di navbera dirêjiya 6 û 64 karakteran de be",
"passwordTypeError": "Şîfre divê rêzek karakteran be",
"passwordCharacterError": "Şîfre divê tenê herf, nimre û sembolan bihewîne",
"remove": "Rake",
"invalidSessionId": "IDya Sessionê ya Nederbasdar",
"invalidPubkeyFormat": "Formata Pubkeyê ya Nederbasdar",
"emptyGroupNameError": "Ji kerema xwe navekî grûpê têkeve",
"editProfileModalTitle": "Profîl",
"groupNamePlaceholder": "Navê grûpê",
"inviteContacts": "Kontaktan dawet bike",
"addModerators": "Admînan tevlî bike",
"removeModerators": "Admînan rake",
"addAsModerator": "Wek admîn tevlî bike",
"removeFromModerators": "Ji admînan rake",
"add": "Îlawe bike",
"addingContacts": "Kontaktan tevlî $name$ dike",
"noContactsToAdd": "Kontakt tine ji bo tevlîkirinê",
"noMembersInThisGroup": "No other members in this group",
"noModeratorsToRemove": "no admins to remove",
"onlyAdminCanRemoveMembers": "You are not the creator",
"onlyAdminCanRemoveMembersDesc": "Only the creator of the group can remove users",
"createAccount": "Create account",
"startInTrayTitle": "Keep in System Tray",
"startInTrayDescription": "Keep Session running in the background when you close the window.",
"yourUniqueSessionID": "Say hello to your Session ID",
"allUsersAreRandomly...": "Your Session ID is the unique address people can use to contact you on Session. With no connection to your real identity, your Session ID is totally anonymous and private by design.",
"getStarted": "Get started",
"createSessionID": "Create Session ID",
"recoveryPhrase": "Recovery Phrase",
"enterRecoveryPhrase": "Enter your recovery phrase",
"displayName": "Display Name",
"anonymous": "Anonymous",
"removeResidueMembers": "Clicking ok will also remove those members as they left the group.",
"enterDisplayName": "Enter a display name",
"continueYourSession": "Continue Your Session",
"linkDevice": "Link Device",
"restoreUsingRecoveryPhrase": "Restore your account",
"or": "or",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>",
"beginYourSession": "Begin your Session.",
"welcomeToYourSession": "Welcome to your Session",
"searchFor...": "Search conversations and contacts",
"searchForContactsOnly": "Search for contacts",
"enterSessionID": "Enter Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS",
"message": "Message",
"appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please enter a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join",
"joinOpenGroup": "Join Community",
"createGroup": "Komê Çêke",
"create": "Çêke",
"createClosedGroupNamePrompt": "Navê Komê",
"createClosedGroupPlaceholder": "Navekî komê binivîse",
"openGroupURL": "URLya Civatê",
"enterAnOpenGroupURL": "URLya Civatê Têkeve",
"next": "Yê piştî",
"invalidGroupNameTooShort": "Ji kerema xwe navekî komê têkeve",
"invalidGroupNameTooLong": "Ji kerema xwe navekî komê yê kurttir têkeve",
"pickClosedGroupMember": "Ji kerema xwe bi kêmanî 1 endam bibijêre",
"closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...",
"helpUsTranslateSession": "Translate Session",
"closedGroupInviteFailTitle": "Group Invitation Failed",
"closedGroupInviteFailTitlePlural": "Group Invitations Failed",
"closedGroupInviteFailMessage": "Unable to successfully invite a group member",
"closedGroupInviteFailMessagePlural": "Unable to successfully invite all group members",
"closedGroupInviteOkText": "Retry invitations",
"closedGroupInviteSuccessTitlePlural": "Group Invitations Completed",
"closedGroupInviteSuccessTitle": "Group Invitation Succeeded",
"closedGroupInviteSuccessMessage": "Successfully invited group members",
"notificationForConvo": "Notifications",
"notificationForConvo_all": "All",
"notificationForConvo_disabled": "Disabled",
"notificationForConvo_mentions_only": "Mentions only",
"onionPathIndicatorTitle": "Path",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:",
"unknownCountry": "Unknown Country",
"device": "Device",
"destination": "Destination",
"learnMore": "Learn more",
"linkVisitWarningTitle": "Open this link in your browser?",
"linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?",
"open": "Open",
"audioMessageAutoplayTitle": "Autoplay Audio Messages",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.",
"clickToTrustContact": "Click to download media",
"trustThisContactDialogTitle": "Trust $name$?",
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
"dialogClearAllDataDeletionFailedTitle": "Data not deleted",
"dialogClearAllDataDeletionFailedDesc": "Data not deleted with an unknown error. Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.",
"iAmSure": "I am sure",
"recoveryPhraseSecureTitle": "You're almost finished!",
"recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.",
"recoveryPhraseRevealButtonText": "Reveal Recovery Phrase",
"notificationSubtitle": "Notifications - $setting$",
"surveyTitle": "We'd Love Your Feedback",
"faq": "FAQ",
"support": "Support",
"clearAll": "Clear All",
"clearDataSettingsTitle": "Clear Data",
"messageRequests": "Message Requests",
"requestsSubtitle": "Pending Requests",
"requestsPlaceholder": "No requests",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.",
"incomingCallFrom": "Incoming call from '$name$'",
"ringing": "Ringing...",
"establishingConnection": "Establishing connection...",
"accept": "Accept",
"decline": "Decline",
"endCall": "End call",
"permissionsSettingsTitle": "Permissions",
"helpSettingsTitle": "Help",
"cameraPermissionNeededTitle": "Voice/Video Call permissions required",
"cameraPermissionNeeded": "You can enable the 'Voice and video calls' permission in the Privacy Settings.",
"unableToCall": "Cancel your ongoing call first",
"unableToCallTitle": "Cannot start new call",
"callMissed": "Missed call from $name$",
"callMissedTitle": "Call missed",
"noCameraFound": "No camera found",
"noAudioInputFound": "No audio input found",
"noAudioOutputFound": "No audio output found",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)",
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$",
"answeredACall": "Call with $name$",
"trimDatabase": "Trim Database",
"trimDatabaseDescription": "Reduces your message database size to your last 10,000 messages.",
"trimDatabaseConfirmationBody": "Are you sure you want to delete your $deleteAmount$ oldest received messages?",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...",
"messageRequestPending": "Your message request is currently pending",
"messageRequestAccepted": "Your message request has been accepted",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request",
"messageRequestAcceptedOursNoName": "You have accepted the message request",
"declineRequestMessage": "Are you sure you want to decline this message request?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.",
"hideRequestBanner": "Hide Message Request Banner",
"openMessageRequestInbox": "Message Requests",
"noMessageRequestsPending": "No pending message requests",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved",
"mustBeApproved": "This conversation must be accepted to use this feature",
"youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other",
"otherPlural": "$number$ others",
"reactionPopup": "reacted with",
"reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message"
}

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Loading...", "loading": "Loading...",
@ -72,7 +72,7 @@
"noSearchResults": "No results found for \"$searchTerm$\"", "noSearchResults": "No results found for \"$searchTerm$\"",
"conversationsHeader": "ಸಂಪರ್ಕಗಳು ಮತ್ತು ಗುಂಪುಗಳು", "conversationsHeader": "ಸಂಪರ್ಕಗಳು ಮತ್ತು ಗುಂಪುಗಳು",
"contactsHeader": "ಸಂಪರ್ಕಗಳು", "contactsHeader": "ಸಂಪರ್ಕಗಳು",
"messagesHeader": "ಸಂದೇಶಗಳು", "messagesHeader": "Conversations",
"settingsHeader": "ಸಂಯೋಜನೆಗಳು", "settingsHeader": "ಸಂಯೋಜನೆಗಳು",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Typing animation for this conversation",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Avatar for contact $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "ಈ ಸಂದೇಶವನ್ನು ಅಳಿಸುವುದೇ?", "deleteMessageQuestion": "ಈ ಸಂದೇಶವನ್ನು ಅಳಿಸುವುದೇ?",
"deleteMessages": "ಸಂದೇಶಗಳನ್ನು ಅಳಿಸಿ", "deleteMessages": "ಸಂದೇಶಗಳನ್ನು ಅಳಿಸಿ",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "ಈ ಸಂದೇಶವನ್ನು ಅಳಿಸಲಾಗಿದೆ", "messageDeletedPlaceholder": "ಈ ಸಂದೇಶವನ್ನು ಅಳಿಸಲಾಗಿದೆ",
"from": "ಇಂದ:", "from": "ಇಂದ:",
@ -107,29 +108,30 @@
"sent": "ಕಳುಹಿಸಲಾಗಿದೆ", "sent": "ಕಳುಹಿಸಲಾಗಿದೆ",
"received": "ಸ್ವೀಕರಿಸಿದರು", "received": "ಸ್ವೀಕರಿಸಿದರು",
"sendMessage": "ಸಂದೇಶ", "sendMessage": "ಸಂದೇಶ",
"groupMembers": "ಗುಂಪಿನ ಸದಸ್ಯರು", "groupMembers": "Members",
"moreInformation": "ಹೆಚ್ಚಿನ ಮಾಹಿತಿ", "moreInformation": "ಹೆಚ್ಚಿನ ಮಾಹಿತಿ",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "Permanently delete the messages in this conversation?", "deleteConversationConfirmation": "Permanently delete the messages in this conversation?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "ಎಲ್ಲಾ ಡೇಟಾವನ್ನು ತೆರವುಗೊಳಿಸಿ", "clearAllData": "ಎಲ್ಲಾ ಡೇಟಾವನ್ನು ತೆರವುಗೊಳಿಸಿ",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "quoteThumbnailAlt": "Thumbnail of image from quoted message",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Image sent in conversation", "lightboxImageAlt": "Image sent in conversation",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...", "addACaption": "Add a caption...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Save", "save": "Save",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Name and content", "nameAndMessage": "Name & Content",
"noNameOrMessage": "No name or content", "noNameOrMessage": "No name or content",
"nameOnly": "Name Only", "nameOnly": "Name Only",
"newMessage": "New Message", "newMessage": "New Message",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hours", "timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 day", "timerOption_1_day": "1 day",
"timerOption_1_week": "1 week", "timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Disappearing messages", "disappearingMessages": "Disappearing messages",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w", "timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "youDisabledDisappearingMessages": "You disabled disappearing messages.",
"timerSetTo": "Disappearing message time set to $time$", "timerSetTo": "Disappearing message time set to $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start New Conversation", "startConversation": "Start New Conversation",
"invalidNumberError": "Invalid Session ID or ONS Name", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ joined the group.", "multipleJoinedTheGroup": "$name$ joined the group.",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$에 가입하시겠습니까?", "joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$에 가입하시겠습니까?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "일치하는 오픈 그룹 서버를 찾지 못했습니다.", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Session ID나 ONS name을 입력하세요.", "enterSessionIDOrONSName": "Session ID나 ONS name을 입력하세요.",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "불러오는 중", "loading": "불러오는 중",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "연락처와 그룹", "conversationsHeader": "연락처와 그룹",
"contactsHeader": "연락처", "contactsHeader": "연락처",
"messagesHeader": "메시지", "messagesHeader": "Conversations",
"settingsHeader": "설정", "settingsHeader": "설정",
"typingAlt": "이 대화에 타이핑 애니메이션 설정", "typingAlt": "이 대화에 타이핑 애니메이션 설정",
"contactAvatarAlt": "연락처 $name$에 대한 아바타", "contactAvatarAlt": "연락처 $name$에 대한 아바타",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "$count$개의 메시지를 삭제할까요?", "deleteMessagesQuestion": "$count$개의 메시지를 삭제할까요?",
"deleteMessageQuestion": "이 메시지를 삭제하시겠습니까?", "deleteMessageQuestion": "이 메시지를 삭제하시겠습니까?",
"deleteMessages": "Delete messages", "deleteMessages": "Delete messages",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ 삭제됨", "deleted": "$count$ 삭제됨",
"messageDeletedPlaceholder": "메시지가 삭제되었습니다.", "messageDeletedPlaceholder": "메시지가 삭제되었습니다.",
"from": "From", "from": "From",
@ -107,29 +108,30 @@
"sent": "전송됨", "sent": "전송됨",
"received": "수신됨", "received": "수신됨",
"sendMessage": "메세지 보내기", "sendMessage": "메세지 보내기",
"groupMembers": "그룹 구성원", "groupMembers": "Members",
"moreInformation": "더 많은 정보", "moreInformation": "더 많은 정보",
"resend": "재전송", "resend": "재전송",
"deleteConversationConfirmation": "대화에서 이 메세지를 영원히 지웁니까?", "deleteConversationConfirmation": "대화에서 이 메세지를 영원히 지웁니까?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "모든 데이터 삭제", "clearAllData": "모든 데이터 삭제",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "이 대화를 삭제하시겠습니까?", "deleteContactConfirmation": "이 대화를 삭제하시겠습니까?",
"quoteThumbnailAlt": "인용된 메시지의 축소된 이미지", "quoteThumbnailAlt": "인용된 메시지의 축소된 이미지",
"imageAttachmentAlt": "메시지에 첨부된 이미지", "imageAttachmentAlt": "메시지에 첨부된 이미지",
"videoAttachmentAlt": "메시지에 첨부된 비디오 스크린샷", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "대화에서 보낸 이미지", "lightboxImageAlt": "대화에서 보낸 이미지",
"imageCaptionIconAlt": "이 이미지에 설명이 있는지 보여주는 아이콘", "imageCaptionIconAlt": "이 이미지에 설명이 있는지 보여주는 아이콘",
"addACaption": "설명을 적어주세요...", "addACaption": "설명을 적어주세요...",
"copySessionID": "Session ID 복사", "copySessionID": "Session ID 복사",
"copyOpenGroupURL": "그룹 링크 복", "copyOpenGroupURL": "Copy Group URL",
"save": "저장", "save": "저장",
"saveLogToDesktop": "데스크탑에 저장", "saveLogToDesktop": "데스크탑에 저장",
"saved": "저장 완료", "saved": "저장 완료",
"tookAScreenshot": "$name$님이 스크린샷을 찍었습니다.", "tookAScreenshot": "$name$님이 스크린샷을 찍었습니다.",
"savedTheFile": "$name$님이 미디어를 저장하셨습니다.", "savedTheFile": "$name$님이 미디어를 저장하셨습니다.",
"linkPreviewsTitle": "링크 미리보기 보내기", "linkPreviewsTitle": "링크 미리보기 보내기",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "당신이 링크 미리보기를 보낼때 모든 메타데이터 보호가 이루어지지 않습니다.", "linkPreviewsConfirmMessage": "당신이 링크 미리보기를 보낼때 모든 메타데이터 보호가 이루어지지 않습니다.",
"mediaPermissionsTitle": "마이크", "mediaPermissionsTitle": "마이크",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "입력 지시자 깜박임", "typingIndicatorsSettingTitle": "입력 지시자 깜박임",
"zoomFactorSettingTitle": "화면 비율 조정", "zoomFactorSettingTitle": "화면 비율 조정",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "활성화", "enable": "활성화",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Both sender name and message", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Neither name nor message", "noNameOrMessage": "Neither name nor message",
"nameOnly": "Only sender name", "nameOnly": "Only sender name",
"newMessage": "새 메세지", "newMessage": "새 메세지",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12시간", "timerOption_12_hours": "12시간",
"timerOption_1_day": "1일", "timerOption_1_day": "1일",
"timerOption_1_week": "1주", "timerOption_1_week": "1주",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "메시지 사라지기 설정", "disappearingMessages": "메시지 사라지기 설정",
"changeNickname": "닉네임 변경", "changeNickname": "닉네임 변경",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12시간", "timerOption_12_hours_abbreviated": "12시간",
"timerOption_1_day_abbreviated": "1일", "timerOption_1_day_abbreviated": "1일",
"timerOption_1_week_abbreviated": "1주", "timerOption_1_week_abbreviated": "1주",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "메세지 숨김 끄기", "disappearingMessagesDisabled": "메세지 숨김 끄기",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "Timer set to $time$", "timerSetTo": "Timer set to $time$",
"noteToSelf": "개인용 메모", "noteToSelf": "개인용 메모",
"hideMenuBarTitle": "메뉴 바 숨기기", "hideMenuBarTitle": "메뉴 바 숨기기",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "Invalid number", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "ONS 이름을 확인하지 못했습니다", "failedResolveOns": "ONS 이름을 확인하지 못했습니다",
"autoUpdateSettingTitle": "자동 업데이트", "autoUpdateSettingTitle": "자동 업데이트",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ joined the group", "multipleJoinedTheGroup": "$names$ joined the group",
"kickedFromTheGroup": "$name$ 님이 그룹에서 제거 되었습니다.", "kickedFromTheGroup": "$name$ 님이 그룹에서 제거 되었습니다.",
"multipleKickedFromTheGroup": "$name$ 님이 그룹에서 제거 되었습니다.", "multipleKickedFromTheGroup": "$name$ 님이 그룹에서 제거 되었습니다.",
"blockUser": "차단", "block": "Block",
"unblockUser": "차단 해제", "unblock": "Unblock",
"unblocked": "차단해제됨", "unblocked": "차단해제됨",
"blocked": "차단됨", "blocked": "차단됨",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "$name$ 을(를) 업데이트 중…", "updateGroupDialogTitle": "$name$ 을(를) 업데이트 중…",
"showRecoveryPhrase": "복구 문구", "showRecoveryPhrase": "복구 문구",
"yourSessionID": "당신의 세션 ID", "yourSessionID": "당신의 세션 ID",
"setAccountPasswordTitle": "계정 비밀번호 설정", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "계정 비밀번호 변경", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "계정 비밀번호를 지우기", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "비밀번호를 입력해주세요", "enterPassword": "비밀번호를 입력해주세요",
"confirmPassword": "비밀번호 확인", "confirmPassword": "비밀번호 확인",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "비밀번호를 입력해주세요", "showRecoveryPhrasePasswordRequest": "비밀번호를 입력해주세요",
"recoveryPhraseSavePromptMain": "복구 문구는 당신의 세션 ID 의 마스터 키 입니다. 만약 당신이 기기의 연결 권한을 잃어버렸다면, 당신의 세션 ID 를 복구하기 위해 복구 문구를 사용할수 있습니다. 복구 문구를 안전한 곳에 저장하고, 절대 남에게 알려주지 마세요.", "recoveryPhraseSavePromptMain": "복구 문구는 당신의 세션 ID 의 마스터 키 입니다. 만약 당신이 기기의 연결 권한을 잃어버렸다면, 당신의 세션 ID 를 복구하기 위해 복구 문구를 사용할수 있습니다. 복구 문구를 안전한 곳에 저장하고, 절대 남에게 알려주지 마세요.",
"invalidOpenGroupUrl": "유효하지 않은 URL", "invalidOpenGroupUrl": "유효하지 않은 URL",
"copiedToClipboard": "클립보드에 복사됨", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "비밀번호", "password": "비밀번호",
"setPassword": "비밀번호 설정", "setPassword": "비밀번호 설정",
@ -295,12 +299,12 @@
"setPasswordInvalid": "비밀번호가 일치하지 않습니다", "setPasswordInvalid": "비밀번호가 일치하지 않습니다",
"changePasswordInvalid": "입력한 이전 비밀번호가 올바르지 않습니다.", "changePasswordInvalid": "입력한 이전 비밀번호가 올바르지 않습니다.",
"removePasswordInvalid": "잘못된 비밀번호", "removePasswordInvalid": "잘못된 비밀번호",
"setPasswordTitle": "비밀번호 설정", "setPasswordTitle": "Password Set",
"changePasswordTitle": "비밀번호가 변경되었습니다", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "비밀번호가 제거되었습니다", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "비밀번호 설정이 완료되었습니다. 안전히 관리하시기 바랍니다.", "setPasswordToastDescription": "비밀번호 설정이 완료되었습니다. 안전히 관리하시기 바랍니다.",
"changePasswordToastDescription": "비밀번호 변경이 완료되었습니다. 안전히 관리하시기 바랍니다.", "changePasswordToastDescription": "비밀번호 변경이 완료되었습니다. 안전히 관리하시기 바랍니다.",
"removePasswordToastDescription": "비밀번호가 제거되었습니다.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "연결하는중...", "connectingToServer": "연결하는중...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "모양", "appearanceSettingsTitle": "모양",
"privacySettingsTitle": "보안", "privacySettingsTitle": "보안",
"notificationsSettingsTitle": "알림", "notificationsSettingsTitle": "알림",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "복구 구문을 입력하세요.", "recoveryPhraseEmpty": "복구 구문을 입력하세요.",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$명", "members": "$count$명",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "짧은 그룹 이름을 입력해주세요.", "invalidGroupNameTooLong": "짧은 그룹 이름을 입력해주세요.",
"pickClosedGroupMember": "최소 1명의 멤버를 선택해주세요.", "pickClosedGroupMember": "최소 1명의 멤버를 선택해주세요.",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "차단된 연락처가 없습니다.", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "또는 이 중에서 참여...", "orJoinOneOfThese": "또는 이 중에서 참여...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "$name$님이 전송한 미디어를 다운로드하시겠습니까?", "trustThisContactDialogDescription": "$name$님이 전송한 미디어를 다운로드하시겠습니까?",
"pinConversation": "대화 고정하기", "pinConversation": "대화 고정하기",
"unpinConversation": "대화 고정 취소", "unpinConversation": "대화 고정 취소",
"markUnread": "Mark Unread",
"showUserDetails": "사용자 정보 보기", "showUserDetails": "사용자 정보 보기",
"sendRecoveryPhraseTitle": "복구 문구 전송중", "sendRecoveryPhraseTitle": "복구 문구 전송중",
"sendRecoveryPhraseMessage": "복구 문구를 전송하면 다른 사람이 당신의 계정에 접근할 수 있게 됩니다. 정말 전송할까요?", "sendRecoveryPhraseMessage": "복구 문구를 전송하면 다른 사람이 당신의 계정에 접근할 수 있게 됩니다. 정말 전송할까요?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "데이터를 이 장치에서만 삭제하시겠습니까?", "dialogClearAllDataDeletionFailedTitleQuestion": "데이터를 이 장치에서만 삭제하시겠습니까?",
"dialogClearAllDataDeletionFailedMultiple": "데이터가 이 서비스 노드에서 삭제되지 않았습니다: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "데이터가 이 서비스 노드에서 삭제되지 않았습니다: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "장치 내 데이터를 정말로 삭제 하시겠습니까?", "areYouSureDeleteDeviceOnly": "장치 내 데이터를 정말로 삭제 하시겠습니까?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "$name$ 님의 전화를 받지 못했습니다. 개인정보 설정에서 '음성 및 영상 통화' 항목을 활성화 시켜주십시오.", "callMissedCausePermission": "$name$ 님의 전화를 받지 못했습니다. 개인정보 설정에서 '음성 및 영상 통화' 항목을 활성화 시켜주십시오.",
"callMissedNotApproved": "이 대화를 수락하지 않았기 때문에 $name$ 님과의 통화가 취소되었습니다. 메세지를 먼저 보내보세요.", "callMissedNotApproved": "이 대화를 수락하지 않았기 때문에 $name$ 님과의 통화가 취소되었습니다. 메세지를 먼저 보내보세요.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "$name$님에게 전화함", "startedACall": "$name$님에게 전화함",
"answeredACall": "$name$님과의 통화", "answeredACall": "$name$님과의 통화",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "친구 요청이 들어왔습니다.", "youHaveANewFriendRequest": "친구 요청이 들어왔습니다.",
"clearAllConfirmationTitle": "모든 메세지 요청 삭제", "clearAllConfirmationTitle": "모든 메세지 요청 삭제",
"clearAllConfirmationBody": "모든 메세지 요청을 삭제하시겠습니까?", "clearAllConfirmationBody": "모든 메세지 요청을 삭제하시겠습니까?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "숨기기", "hideBanner": "숨기기",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "메세지 요청함 보기", "openMessageRequestInboxDescription": "메세지 요청함 보기",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Įkeliama...", "loading": "Įkeliama...",
@ -72,7 +72,7 @@
"noSearchResults": "\"$searchTerm$\" negrąžino jokių rezultatų", "noSearchResults": "\"$searchTerm$\" negrąžino jokių rezultatų",
"conversationsHeader": "Adresatai ir grupės", "conversationsHeader": "Adresatai ir grupės",
"contactsHeader": "Kontaktai", "contactsHeader": "Kontaktai",
"messagesHeader": "Žinutės", "messagesHeader": "Conversations",
"settingsHeader": "Nustatymai", "settingsHeader": "Nustatymai",
"typingAlt": "Rašymo animacija šiam pokalbiui", "typingAlt": "Rašymo animacija šiam pokalbiui",
"contactAvatarAlt": "Avataras, skirtas $name$", "contactAvatarAlt": "Avataras, skirtas $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Ištrinti šią žinutę?", "deleteMessageQuestion": "Ištrinti šią žinutę?",
"deleteMessages": "Ištrinti žinutes", "deleteMessages": "Ištrinti žinutes",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "Nuo", "from": "Nuo",
@ -107,29 +108,30 @@
"sent": "Išsiųsta", "sent": "Išsiųsta",
"received": "Gauta", "received": "Gauta",
"sendMessage": "Siųsti žinutę", "sendMessage": "Siųsti žinutę",
"groupMembers": "Grupės dalyviai", "groupMembers": "Members",
"moreInformation": "Daugiau informacijos", "moreInformation": "Daugiau informacijos",
"resend": "Siųsti iš naujo", "resend": "Siųsti iš naujo",
"deleteConversationConfirmation": "Ar ištrinti šį pokalbį visiems laikams?", "deleteConversationConfirmation": "Ar ištrinti šį pokalbį visiems laikams?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Išvalyti visus duomenis", "clearAllData": "Išvalyti visus duomenis",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Paveikslo iš cituotos žinutės miniatiūra", "quoteThumbnailAlt": "Paveikslo iš cituotos žinutės miniatiūra",
"imageAttachmentAlt": "Prie žinutės pridėtas paveikslas", "imageAttachmentAlt": "Prie žinutės pridėtas paveikslas",
"videoAttachmentAlt": "Prie žinutės pridėto vaizdo įrašo ekrano kopija", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Pokalbyje išsiųstas paveikslas", "lightboxImageAlt": "Pokalbyje išsiųstas paveikslas",
"imageCaptionIconAlt": "Piktograma, rodanti, kad šis paveikslas turi paaiškinimą", "imageCaptionIconAlt": "Piktograma, rodanti, kad šis paveikslas turi paaiškinimą",
"addACaption": "Pridėti paaiškinimą...", "addACaption": "Pridėti paaiškinimą...",
"copySessionID": "Kopijuoti Session ID", "copySessionID": "Kopijuoti Session ID",
"copyOpenGroupURL": "Kopijuoti grupės URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Įrašyti", "save": "Įrašyti",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Įrašyta", "saved": "Įrašyta",
"tookAScreenshot": "$name$ padarė ekrano kopiją", "tookAScreenshot": "$name$ padarė ekrano kopiją",
"savedTheFile": "$name$ įsirašė mediją", "savedTheFile": "$name$ įsirašė mediją",
"linkPreviewsTitle": "Siųsti nuorodų peržiūras", "linkPreviewsTitle": "Siųsti nuorodų peržiūras",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Ir siuntėjo vardas, ir žinutė", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Nei vardas, nei žinutė", "noNameOrMessage": "Nei vardas, nei žinutė",
"nameOnly": "Tik siuntėjo vardas", "nameOnly": "Tik siuntėjo vardas",
"newMessage": "Nauja žinutės", "newMessage": "Nauja žinutės",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 valandų", "timerOption_12_hours": "12 valandų",
"timerOption_1_day": "1 diena", "timerOption_1_day": "1 diena",
"timerOption_1_week": "1 savaitė", "timerOption_1_week": "1 savaitė",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Išnykstančios žinutės", "disappearingMessages": "Išnykstančios žinutės",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 val.", "timerOption_12_hours_abbreviated": "12 val.",
"timerOption_1_day_abbreviated": "1 d.", "timerOption_1_day_abbreviated": "1 d.",
"timerOption_1_week_abbreviated": "1 sav.", "timerOption_1_week_abbreviated": "1 sav.",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Išnykstančios žinutės išjungtos", "disappearingMessagesDisabled": "Išnykstančios žinutės išjungtos",
"disabledDisappearingMessages": "$name$ išjungė išnykstančias žinutes", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Jūs išjungėte išnykstančias žinutes", "youDisabledDisappearingMessages": "Jūs išjungėte išnykstančias žinutes",
"timerSetTo": "Laikmatis nustatytas į $time$", "timerSetTo": "Laikmatis nustatytas į $time$",
"noteToSelf": "Pastabos sau", "noteToSelf": "Pastabos sau",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Pradėti naują pokalbį…", "startConversation": "Pradėti naują pokalbį…",
"invalidNumberError": "Neteisingas numeris", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ prisijungė prie grupės", "multipleJoinedTheGroup": "$names$ prisijungė prie grupės",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Jūsų Session ID", "yourSessionID": "Jūsų Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Šalinti paskyros slaptažodį", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Įveskite slaptažodį", "enterPassword": "Įveskite slaptažodį",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Įveskite slaptažodį", "showRecoveryPhrasePasswordRequest": "Įveskite slaptažodį",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Neteisingas URL", "invalidOpenGroupUrl": "Neteisingas URL",
"copiedToClipboard": "Nukopijuota į iškarpinę", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Slaptažodis", "password": "Slaptažodis",
"setPassword": "Nustatyti slaptažodį", "setPassword": "Nustatyti slaptažodį",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Slaptažodžiai nesutampa", "setPasswordInvalid": "Slaptažodžiai nesutampa",
"changePasswordInvalid": "Jūsų įvestas senas slaptažodis yra neteisingas", "changePasswordInvalid": "Jūsų įvestas senas slaptažodis yra neteisingas",
"removePasswordInvalid": "Neteisingas slaptažodis", "removePasswordInvalid": "Neteisingas slaptažodis",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Išvaizda", "appearanceSettingsTitle": "Išvaizda",
"privacySettingsTitle": "Privatumas", "privacySettingsTitle": "Privatumas",
"notificationsSettingsTitle": "Pranešimai", "notificationsSettingsTitle": "Pranešimai",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "Narių: $count$", "members": "Narių: $count$",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Įveskite trumpesnį grupės pavadinimą", "invalidGroupNameTooLong": "Įveskite trumpesnį grupės pavadinimą",
"pickClosedGroupMember": "Pasirinkite bent 1 grupės narį", "pickClosedGroupMember": "Pasirinkite bent 1 grupės narį",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Nėra užblokuotų adresatų", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Arba prisijunkite prie vienos iš šių...", "orJoinOneOfThese": "Arba prisijunkite prie vienos iš šių...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Prisegti pokalbį", "pinConversation": "Prisegti pokalbį",
"unpinConversation": "Atsegti pokalbį", "unpinConversation": "Atsegti pokalbį",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Loading...", "loading": "Loading...",
@ -72,7 +72,7 @@
"noSearchResults": "No results found for \"$searchTerm$\"", "noSearchResults": "No results found for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Contacts", "contactsHeader": "Contacts",
"messagesHeader": "Messages", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Typing animation for this conversation",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Avatar for contact $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Delete Messages", "deleteMessages": "Delete Messages",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "From:", "from": "From:",
@ -107,29 +108,30 @@
"sent": "Sent", "sent": "Sent",
"received": "Received", "received": "Received",
"sendMessage": "Message", "sendMessage": "Message",
"groupMembers": "Group members", "groupMembers": "Members",
"moreInformation": "More information", "moreInformation": "More information",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "Permanently delete the messages in this conversation?", "deleteConversationConfirmation": "Permanently delete the messages in this conversation?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "quoteThumbnailAlt": "Thumbnail of image from quoted message",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Image sent in conversation", "lightboxImageAlt": "Image sent in conversation",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...", "addACaption": "Add a caption...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Save", "save": "Save",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Name and content", "nameAndMessage": "Name & Content",
"noNameOrMessage": "No name or content", "noNameOrMessage": "No name or content",
"nameOnly": "Name Only", "nameOnly": "Name Only",
"newMessage": "New Message", "newMessage": "New Message",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hours", "timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 day", "timerOption_1_day": "1 day",
"timerOption_1_week": "1 week", "timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Disappearing messages", "disappearingMessages": "Disappearing messages",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear Nickname", "clearNickname": "Clear Nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w", "timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "youDisabledDisappearingMessages": "You disabled disappearing messages.",
"timerSetTo": "Disappearing message time set to $time$", "timerSetTo": "Disappearing message time set to $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start New Conversation", "startConversation": "Start New Conversation",
"invalidNumberError": "Invalid Session ID or ONS Name", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ joined the group.", "multipleJoinedTheGroup": "$name$ joined the group.",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please enter a display name", "displayNameEmpty": "Please enter a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Loading...", "loading": "Loading...",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Контакти", "contactsHeader": "Контакти",
"messagesHeader": "Messages", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Typing animation for this conversation",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Avatar for contact $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Избриши пораки", "deleteMessages": "Избриши пораки",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "From", "from": "From",
@ -107,29 +108,30 @@
"sent": "Испратено", "sent": "Испратено",
"received": "Примено", "received": "Примено",
"sendMessage": "Испрати порака", "sendMessage": "Испрати порака",
"groupMembers": "Group members", "groupMembers": "Members",
"moreInformation": "More information", "moreInformation": "More information",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "Permanently delete this conversation?", "deleteConversationConfirmation": "Permanently delete this conversation?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "quoteThumbnailAlt": "Thumbnail of image from quoted message",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Image sent in conversation", "lightboxImageAlt": "Image sent in conversation",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...", "addACaption": "Add a caption...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Зачувај", "save": "Зачувај",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Both sender name and message", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Neither name nor message", "noNameOrMessage": "Neither name nor message",
"nameOnly": "Only sender name", "nameOnly": "Only sender name",
"newMessage": "New Message", "newMessage": "New Message",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hours", "timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 day", "timerOption_1_day": "1 day",
"timerOption_1_week": "1 week", "timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Disappearing messages", "disappearingMessages": "Disappearing messages",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w", "timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "Timer set to $time$", "timerSetTo": "Timer set to $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "Invalid number", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ joined the group", "multipleJoinedTheGroup": "$names$ joined the group",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Bli med i $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Bli med i $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Klarte ikke finne den tilsvarende opengroup-serveren", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Angi Session-ID eller ONS-navn", "enterSessionIDOrONSName": "Angi Session-ID eller ONS-navn",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Laster...", "loading": "Laster...",
@ -72,7 +72,7 @@
"noSearchResults": "Ingen resultater funnet for «$searchTerm$»", "noSearchResults": "Ingen resultater funnet for «$searchTerm$»",
"conversationsHeader": "Kontakter og grupper", "conversationsHeader": "Kontakter og grupper",
"contactsHeader": "Kontakter", "contactsHeader": "Kontakter",
"messagesHeader": "Beskjeder", "messagesHeader": "Conversations",
"settingsHeader": "Innstillinger", "settingsHeader": "Innstillinger",
"typingAlt": "Inntastingsanimasjon for denne samtalen", "typingAlt": "Inntastingsanimasjon for denne samtalen",
"contactAvatarAlt": "Avatar for kontakt $name$", "contactAvatarAlt": "Avatar for kontakt $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Slett $count$ meldinger?", "deleteMessagesQuestion": "Slett $count$ meldinger?",
"deleteMessageQuestion": "Slett denne meldingen?", "deleteMessageQuestion": "Slett denne meldingen?",
"deleteMessages": "Slett beskjeder", "deleteMessages": "Slett beskjeder",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ slettet", "deleted": "$count$ slettet",
"messageDeletedPlaceholder": "Denne beskjeden er slettet", "messageDeletedPlaceholder": "Denne beskjeden er slettet",
"from": "Fra:", "from": "Fra:",
@ -107,29 +108,30 @@
"sent": "Sendt", "sent": "Sendt",
"received": "Mottatt", "received": "Mottatt",
"sendMessage": "Beskjed", "sendMessage": "Beskjed",
"groupMembers": "Gruppemedlemmer", "groupMembers": "Members",
"moreInformation": "Mer informasjon", "moreInformation": "Mer informasjon",
"resend": "Send på nytt", "resend": "Send på nytt",
"deleteConversationConfirmation": "Slett beskjedene permanent i denne samtalen?", "deleteConversationConfirmation": "Slett beskjedene permanent i denne samtalen?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Fjern alle data", "clearAllData": "Fjern alle data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Er du sikker på at du vil slette denne samtalen?", "deleteContactConfirmation": "Er du sikker på at du vil slette denne samtalen?",
"quoteThumbnailAlt": "Miniatyrbilde av bilde i sitert beskjed", "quoteThumbnailAlt": "Miniatyrbilde av bilde i sitert beskjed",
"imageAttachmentAlt": "Bilde vedlagt til beskjed", "imageAttachmentAlt": "Bilde vedlagt til beskjed",
"videoAttachmentAlt": "Skjermbilde av video vedlagt til beskjed", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Bilde sendt i samtale", "lightboxImageAlt": "Bilde sendt i samtale",
"imageCaptionIconAlt": "Symbol som viser at dette bildet har en bildetekst", "imageCaptionIconAlt": "Symbol som viser at dette bildet har en bildetekst",
"addACaption": "Legg til bildetekst...", "addACaption": "Legg til bildetekst...",
"copySessionID": "Kopier Session-ID", "copySessionID": "Kopier Session-ID",
"copyOpenGroupURL": "Kopier gruppens URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Lagre", "save": "Lagre",
"saveLogToDesktop": "Lagre loggfil til skrivebordet", "saveLogToDesktop": "Lagre loggfil til skrivebordet",
"saved": "Lagret", "saved": "Lagret",
"tookAScreenshot": "$name$ tok et skjermbilde", "tookAScreenshot": "$name$ tok et skjermbilde",
"savedTheFile": "Media lagret av $name$", "savedTheFile": "Media lagret av $name$",
"linkPreviewsTitle": "Send forhåndsvisning av lenker", "linkPreviewsTitle": "Send forhåndsvisning av lenker",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "Du vil ikke ha full metadatabeskyttelse når du sender lenkeforhåndsvisninger.", "linkPreviewsConfirmMessage": "Du vil ikke ha full metadatabeskyttelse når du sender lenkeforhåndsvisninger.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Inntastingsindikatorer", "typingIndicatorsSettingTitle": "Inntastingsindikatorer",
"zoomFactorSettingTitle": "Zoomfaktor", "zoomFactorSettingTitle": "Zoomfaktor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Aktiver", "enable": "Aktiver",
"keepDisabled": "Hold deaktivert", "keepDisabled": "Hold deaktivert",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Navn og innhold", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Verken navn eller innhold", "noNameOrMessage": "Verken navn eller innhold",
"nameOnly": "Kun navn", "nameOnly": "Kun navn",
"newMessage": "Ny beskjed", "newMessage": "Ny beskjed",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 timer", "timerOption_12_hours": "12 timer",
"timerOption_1_day": "1 dag", "timerOption_1_day": "1 dag",
"timerOption_1_week": "1 uke", "timerOption_1_week": "1 uke",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Tidsbegrensede beskjeder", "disappearingMessages": "Tidsbegrensede beskjeder",
"changeNickname": "Forandre kallenavn", "changeNickname": "Forandre kallenavn",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12t", "timerOption_12_hours_abbreviated": "12t",
"timerOption_1_day_abbreviated": "1 d", "timerOption_1_day_abbreviated": "1 d",
"timerOption_1_week_abbreviated": "1u", "timerOption_1_week_abbreviated": "1u",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Tidsbegrensede beskjeder er deaktivert", "disappearingMessagesDisabled": "Tidsbegrensede beskjeder er deaktivert",
"disabledDisappearingMessages": "$name$ deaktiverte tidsbegrensede beskjeder.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Du deaktiverte tidsbegrensede beskjeder.", "youDisabledDisappearingMessages": "Du deaktiverte tidsbegrensede beskjeder.",
"timerSetTo": "Utløpstiden for beskjeder satt til $time$", "timerSetTo": "Utløpstiden for beskjeder satt til $time$",
"noteToSelf": "Notat til meg selv", "noteToSelf": "Notat til meg selv",
"hideMenuBarTitle": "Skjul menylinjen", "hideMenuBarTitle": "Skjul menylinjen",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start ny samtale", "startConversation": "Start ny samtale",
"invalidNumberError": "Ugyldig Session-ID eller ONS-navn", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Fant ikke ONS-navnet", "failedResolveOns": "Fant ikke ONS-navnet",
"autoUpdateSettingTitle": "Automatisk oppdatering", "autoUpdateSettingTitle": "Automatisk oppdatering",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ ble med i gruppen.", "multipleJoinedTheGroup": "$name$ ble med i gruppen.",
"kickedFromTheGroup": "$name$ ble fjernet fra gruppen.", "kickedFromTheGroup": "$name$ ble fjernet fra gruppen.",
"multipleKickedFromTheGroup": "$name$ ble fjernet fra gruppen.", "multipleKickedFromTheGroup": "$name$ ble fjernet fra gruppen.",
"blockUser": "Blokker", "block": "Block",
"unblockUser": "Avblokker", "unblock": "Unblock",
"unblocked": "Blokkering opphevet", "unblocked": "Blokkering opphevet",
"blocked": "Blokkert", "blocked": "Blokkert",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Oppdaterer $name$...", "updateGroupDialogTitle": "Oppdaterer $name$...",
"showRecoveryPhrase": "Gjenopprettelsesfrase", "showRecoveryPhrase": "Gjenopprettelsesfrase",
"yourSessionID": "Din Session-ID", "yourSessionID": "Din Session-ID",
"setAccountPasswordTitle": "Still kontopassord", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Forandre kontopassord", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Fjern kontopassord", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Vennligst skriv inn passordet ditt", "enterPassword": "Vennligst skriv inn passordet ditt",
"confirmPassword": "Bekreft passordet", "confirmPassword": "Bekreft passordet",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Vennligst skriv inn passordet ditt", "showRecoveryPhrasePasswordRequest": "Vennligst skriv inn passordet ditt",
"recoveryPhraseSavePromptMain": "Gjenopprettelsesfrasen din er hovednøkkelen til Session-IDen din du kan bruke den for å gjenopprette Session-IDen din dersom du mister tilgang til enheten din. Arkiver gjenopprettelsesfrasen din på et trygt sted, og ikke gi den til noen.", "recoveryPhraseSavePromptMain": "Gjenopprettelsesfrasen din er hovednøkkelen til Session-IDen din du kan bruke den for å gjenopprette Session-IDen din dersom du mister tilgang til enheten din. Arkiver gjenopprettelsesfrasen din på et trygt sted, og ikke gi den til noen.",
"invalidOpenGroupUrl": "Ugyldig URL", "invalidOpenGroupUrl": "Ugyldig URL",
"copiedToClipboard": "Kopiert til utklippstavlen", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Passord", "password": "Passord",
"setPassword": "Still passord", "setPassword": "Still passord",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passordene stemmer ikke overens", "setPasswordInvalid": "Passordene stemmer ikke overens",
"changePasswordInvalid": "Det gamle passordet du skrev inn, var galt", "changePasswordInvalid": "Det gamle passordet du skrev inn, var galt",
"removePasswordInvalid": "Galt passord", "removePasswordInvalid": "Galt passord",
"setPasswordTitle": "Stilte passordet", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Forandret passordet", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Fjernet passordet", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Passordet er blitt stilt. Vennligst oppbevar det trygt.", "setPasswordToastDescription": "Passordet er blitt stilt. Vennligst oppbevar det trygt.",
"changePasswordToastDescription": "Passordet ditt er endret. Vennligst oppbevar det trygt.", "changePasswordToastDescription": "Passordet ditt er endret. Vennligst oppbevar det trygt.",
"removePasswordToastDescription": "Du har fjernet passordet ditt.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Kobler til...", "connectingToServer": "Kobler til...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Utseende", "appearanceSettingsTitle": "Utseende",
"privacySettingsTitle": "Personvern", "privacySettingsTitle": "Personvern",
"notificationsSettingsTitle": "Varsler", "notificationsSettingsTitle": "Varsler",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Skriv inn gjenopprettelsesfrasen", "recoveryPhraseEmpty": "Skriv inn gjenopprettelsesfrasen",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ medlemmer", "members": "$count$ medlemmer",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Vennligst skriv inn et kortere gruppenavn", "invalidGroupNameTooLong": "Vennligst skriv inn et kortere gruppenavn",
"pickClosedGroupMember": "Vennligst velg minst 1 gruppemedlem", "pickClosedGroupMember": "Vennligst velg minst 1 gruppemedlem",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Ingen blokkerte kontakter", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Eller bli med i en av disse...", "orJoinOneOfThese": "Eller bli med i en av disse...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Er du sikker på at du vil laste ned medier sendt av $name$?", "trustThisContactDialogDescription": "Er du sikker på at du vil laste ned medier sendt av $name$?",
"pinConversation": "Fest samtale", "pinConversation": "Fest samtale",
"unpinConversation": "Løsne samtale", "unpinConversation": "Løsne samtale",
"markUnread": "Mark Unread",
"showUserDetails": "Vis brukeropplysninger", "showUserDetails": "Vis brukeropplysninger",
"sendRecoveryPhraseTitle": "Sender gjenopprettelsesfrase", "sendRecoveryPhraseTitle": "Sender gjenopprettelsesfrase",
"sendRecoveryPhraseMessage": "Du forsøker å sende gjenopprettelsesfrasen din, som kan brukes til å få tilgang til kontoen din. Er du sikker på at du vil sende denne beskjeden?", "sendRecoveryPhraseMessage": "Du forsøker å sende gjenopprettelsesfrasen din, som kan brukes til å få tilgang til kontoen din. Er du sikker på at du vil sende denne beskjeden?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Vil du slette opplysningene kun fra denne enheten?", "dialogClearAllDataDeletionFailedTitleQuestion": "Vil du slette opplysningene kun fra denne enheten?",
"dialogClearAllDataDeletionFailedMultiple": "Opplysninger ikke slettet av disse tjenesteknutepunktene: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Opplysninger ikke slettet av disse tjenesteknutepunktene: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Er du sikker på at du kun vil slette opplysningene på enheten?", "areYouSureDeleteDeviceOnly": "Er du sikker på at du kun vil slette opplysningene på enheten?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Oppringing fra '$name$ mislyktes fordi du trenger å aktivere 'Stemme- og videosamtaler' tillatelsen i personvernsinnstillingene.", "callMissedCausePermission": "Oppringing fra '$name$ mislyktes fordi du trenger å aktivere 'Stemme- og videosamtaler' tillatelsen i personvernsinnstillingene.",
"callMissedNotApproved": "Anrop fra '$name$' gikk tapt fordi du ikke har akseptert denne konversasjonen ennå. Du må sende dem en melding først.", "callMissedNotApproved": "Anrop fra '$name$' gikk tapt fordi du ikke har akseptert denne konversasjonen ennå. Du må sende dem en melding først.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Du ringte $name$", "startedACall": "Du ringte $name$",
"answeredACall": "Oppringning med $name$", "answeredACall": "Oppringning med $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "Du har en ny venneforespørsel", "youHaveANewFriendRequest": "Du har en ny venneforespørsel",
"clearAllConfirmationTitle": "Fjern alle meldingsforespørsler", "clearAllConfirmationTitle": "Fjern alle meldingsforespørsler",
"clearAllConfirmationBody": "Er du sikker på at du ønsker å slette alle meldingsforespørsler?", "clearAllConfirmationBody": "Er du sikker på at du ønsker å slette alle meldingsforespørsler?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Skjule", "hideBanner": "Skjule",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Vis din innboks for meldingsforespørsler", "openMessageRequestInboxDescription": "Vis din innboks for meldingsforespørsler",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Volledigschermmodus", "viewMenuToggleFullScreen": "Volledigschermmodus",
"viewMenuToggleDevTools": "Ontwikkelopties weergeven", "viewMenuToggleDevTools": "Ontwikkelopties weergeven",
"contextMenuNoSuggestions": "Geen suggesties", "contextMenuNoSuggestions": "Geen suggesties",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community uitnodiging",
"joinOpenGroupAfterInvitationConfirmationTitle": "Aansluiten bij $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Aansluiten bij $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Weet je zeker dat je je bij de $roomName$ community wilt aansluiten?",
"couldntFindServerMatching": "Kon de overeenkomende opengroep-server niet vinden", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Voer Session-ID of ONS naam in", "enterSessionIDOrONSName": "Voer Session-ID of ONS naam in",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Begin een nieuw gesprek door iemands Sessie ID in te voeren of deel jouw Sessie ID met hen.",
"loading": "Bezig met laden…", "loading": "Bezig met laden…",
"done": "Klaar", "done": "Klaar",
"youLeftTheGroup": "Je hebt de groep verlaten", "youLeftTheGroup": "Je hebt de groep verlaten",
"youGotKickedFromGroup": "Je bent verwijderd van de groep.", "youGotKickedFromGroup": "Je bent verwijderd van de groep.",
"unreadMessages": "Ongelezen berichten", "unreadMessages": "Ongelezen berichten",
"debugLogExplanation": "Dit logboek wordt opgeslagen op uw bureaublad.", "debugLogExplanation": "Dit logboek wordt opgeslagen op uw bureaublad.",
"reportIssue": "Report a Bug", "reportIssue": "Meld een fout",
"markAllAsRead": "Markeer alles als gelezen", "markAllAsRead": "Markeer alles als gelezen",
"incomingError": "Fout bij het verwerken van een inkomend bericht", "incomingError": "Fout bij het verwerken van een inkomend bericht",
"media": "Media", "media": "Media",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Kan geselecteerde bijlage niet laden.", "unableToLoadAttachment": "Kan geselecteerde bijlage niet laden.",
"offline": "Offline", "offline": "Offline",
"debugLog": "Foutopsporingslogboek", "debugLog": "Foutopsporingslogboek",
"showDebugLog": "Export Logs", "showDebugLog": "Exporteer logboek",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exporteer je logboek en upload het bestand via de Sessie-helpdesk.",
"goToReleaseNotes": "Ga naar uitgaveopmerkingen", "goToReleaseNotes": "Ga naar uitgaveopmerkingen",
"goToSupportPage": "Ga naar ondersteuningspagina", "goToSupportPage": "Ga naar ondersteuningspagina",
"about": "Over", "about": "Over",
@ -72,7 +72,7 @@
"noSearchResults": "Geen resultaten voor $searchTerm$", "noSearchResults": "Geen resultaten voor $searchTerm$",
"conversationsHeader": "Contactpersonen en groepen", "conversationsHeader": "Contactpersonen en groepen",
"contactsHeader": "Contacten", "contactsHeader": "Contacten",
"messagesHeader": "Berichten", "messagesHeader": "Conversations",
"settingsHeader": "Instellingen", "settingsHeader": "Instellingen",
"typingAlt": "Typ-animatie voor dit gesprek", "typingAlt": "Typ-animatie voor dit gesprek",
"contactAvatarAlt": "Afbeelding voor contact $name$", "contactAvatarAlt": "Afbeelding voor contact $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "$count$ berichten verwijderen?", "deleteMessagesQuestion": "$count$ berichten verwijderen?",
"deleteMessageQuestion": "Dit bericht verwijderen?", "deleteMessageQuestion": "Dit bericht verwijderen?",
"deleteMessages": "Berichten wissen", "deleteMessages": "Berichten wissen",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ verwijderd", "deleted": "$count$ verwijderd",
"messageDeletedPlaceholder": "Dit bericht is verwijderd", "messageDeletedPlaceholder": "Dit bericht is verwijderd",
"from": "Van", "from": "Van",
@ -107,66 +108,67 @@
"sent": "Verzonden", "sent": "Verzonden",
"received": "Ontvangen", "received": "Ontvangen",
"sendMessage": "Verzend een bericht", "sendMessage": "Verzend een bericht",
"groupMembers": "Groepsleden", "groupMembers": "Members",
"moreInformation": "Meer informatie", "moreInformation": "Meer informatie",
"resend": "Opnieuw verzenden", "resend": "Opnieuw verzenden",
"deleteConversationConfirmation": "Dit gesprek voorgoed wissen?", "deleteConversationConfirmation": "Dit gesprek voorgoed wissen?",
"clear": "Clear", "clear": "Wis",
"clearAllData": "Wis alle gegevens", "clearAllData": "Wis alle gegevens",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Hiermee worden je berichten en contacten permanent verwijderd.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Weet je zeker dat je deze conversatie wilt verwijderen?", "deleteContactConfirmation": "Weet je zeker dat je deze conversatie wilt verwijderen?",
"quoteThumbnailAlt": "Miniatuur van afbeelding uit aangehaald bericht", "quoteThumbnailAlt": "Miniatuur van afbeelding uit aangehaald bericht",
"imageAttachmentAlt": "Afbeelding toegevoegd aan bericht", "imageAttachmentAlt": "Afbeelding toegevoegd aan bericht",
"videoAttachmentAlt": "Schermafdruk van video toegevoegd aan bericht", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Afbeelding verstuurd in gesprek", "lightboxImageAlt": "Afbeelding verstuurd in gesprek",
"imageCaptionIconAlt": "Pictogram dat laat zien dat deze afbeelding een bijschrift heeft", "imageCaptionIconAlt": "Pictogram dat laat zien dat deze afbeelding een bijschrift heeft",
"addACaption": "Voeg een bijschrift toe…", "addACaption": "Voeg een bijschrift toe…",
"copySessionID": "Sessie-ID kopiëren", "copySessionID": "Sessie-ID kopiëren",
"copyOpenGroupURL": "Kopiëer groep URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Opslaan", "save": "Opslaan",
"saveLogToDesktop": "Logboek naar bureaublad opslaan", "saveLogToDesktop": "Logboek naar bureaublad opslaan",
"saved": "Opgeslagen", "saved": "Opgeslagen",
"tookAScreenshot": "$name$ heeft een schermafdruk gemaakt", "tookAScreenshot": "$name$ heeft een schermafdruk gemaakt",
"savedTheFile": "Media opgeslagen door $name$", "savedTheFile": "Media opgeslagen door $name$",
"linkPreviewsTitle": "Verstuur Link-voorbeelden", "linkPreviewsTitle": "Verstuur Link-voorbeelden",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "Je hebt geen volledige bescherming van metadata bij het verzenden van link-voorbeelden.", "linkPreviewsConfirmMessage": "Je hebt geen volledige bescherming van metadata bij het verzenden van link-voorbeelden.",
"mediaPermissionsTitle": "Microfoon", "mediaPermissionsTitle": "Microfoon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Sta toegang tot microfoon toe.",
"spellCheckTitle": "Spellingcontrole", "spellCheckTitle": "Spellingcontrole",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Spellingscontrole inschakelen tijdens het typen van berichten.",
"spellCheckDirty": "Je moet Session opnieuw starten, om uw nieuwe instellingen toe te passen", "spellCheckDirty": "Je moet Session opnieuw starten, om uw nieuwe instellingen toe te passen",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Verstuur leesbevestigingen in één-op-één chats.",
"readReceiptSettingTitle": "Leesbevestigingen", "readReceiptSettingTitle": "Leesbevestigingen",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Bekijk en deel type-indicatoren in één-op-één chats.",
"typingIndicatorsSettingTitle": "Typindicatoren", "typingIndicatorsSettingTitle": "Typindicatoren",
"zoomFactorSettingTitle": "Zoom factor", "zoomFactorSettingTitle": "Zoom factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Thema's",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Hoofdkleur groen",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Hoofdkleur blauw",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Hoofdkleur geel",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Hoofdkleur roze",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Hoofdkleur paars",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Hoofdkleur oranje",
"primaryColorRed": "Primary color red", "primaryColorRed": "Hoofdkleur rood",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klassiek donker",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klassiek licht",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Oceaan donker",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Oceaan licht",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Reduceer communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Inschakelen", "enable": "Inschakelen",
"keepDisabled": "Uitgeschakeld laten", "keepDisabled": "Uitgeschakeld laten",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "De informatie getoond in meldingen.",
"nameAndMessage": "Naam van afzender en berichtinhoud", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Naam van afzender noch berichtinhoud", "noNameOrMessage": "Naam van afzender noch berichtinhoud",
"nameOnly": "Enkel naam van afzender", "nameOnly": "Enkel naam van afzender",
"newMessage": "nieuw bericht", "newMessage": "nieuw bericht",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Begin een gesprek met een nieuw contact",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Maak een groep aan met bestaande contacten",
"joinACommunity": "Join a community", "joinACommunity": "Sluit je aan bij een community",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Kies een actie om een gesprek te beginnen",
"newMessages": "nieuwe berichten", "newMessages": "nieuwe berichten",
"notificationMostRecentFrom": "Meest recent van:", "notificationMostRecentFrom": "Meest recent van:",
"notificationFrom": "Van:", "notificationFrom": "Van:",
@ -174,7 +176,7 @@
"sendFailed": "Verzenden mislukt", "sendFailed": "Verzenden mislukt",
"mediaMessage": "Mediabericht", "mediaMessage": "Mediabericht",
"messageBodyMissing": "Voeg a. u. b. een bericht toe.", "messageBodyMissing": "Voeg a. u. b. een bericht toe.",
"messageBody": "Message body", "messageBody": "Berichtinhoud",
"unblockToSend": "Deblokkeer dit contact om een bericht te verzenden.", "unblockToSend": "Deblokkeer dit contact om een bericht te verzenden.",
"unblockGroupToSend": "Deblokkeer deze groep om een bericht te verzenden.", "unblockGroupToSend": "Deblokkeer deze groep om een bericht te verzenden.",
"youChangedTheTimer": "Je hebt de timer voor zelf-wissende berichten op $time$gezet", "youChangedTheTimer": "Je hebt de timer voor zelf-wissende berichten op $time$gezet",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 uur", "timerOption_12_hours": "12 uur",
"timerOption_1_day": "1 dag", "timerOption_1_day": "1 dag",
"timerOption_1_week": "1 week", "timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Zelf-wissende berichten", "disappearingMessages": "Zelf-wissende berichten",
"changeNickname": "Verander bijnaam", "changeNickname": "Verander bijnaam",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12u", "timerOption_12_hours_abbreviated": "12u",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w", "timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Zelf-wissende berichten zijn uitgeschakeld", "disappearingMessagesDisabled": "Zelf-wissende berichten zijn uitgeschakeld",
"disabledDisappearingMessages": "$name$ heeft zelf-wissende berichten uitgeschakeld", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Je hebt zelf-wissende berichten uitgeschakeld", "youDisabledDisappearingMessages": "Je hebt zelf-wissende berichten uitgeschakeld",
"timerSetTo": "Timer ingesteld op $time$", "timerSetTo": "Timer ingesteld op $time$",
"noteToSelf": "Notitie aan mezelf", "noteToSelf": "Notitie aan mezelf",
"hideMenuBarTitle": "Menubalk verbergen", "hideMenuBarTitle": "Menubalk verbergen",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Zichtbaarheid systeemmenubalk in-/uitschakelen.",
"startConversation": "Begin een nieuw gesprek…", "startConversation": "Begin een nieuw gesprek…",
"invalidNumberError": "Ongeldig nummer", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Gefaald de ONS naam op te lossen", "failedResolveOns": "Gefaald de ONS naam op te lossen",
"autoUpdateSettingTitle": "Automatisch bijwerken", "autoUpdateSettingTitle": "Automatisch bijwerken",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatisch op updates controleren tijdens opstarten.",
"autoUpdateNewVersionTitle": "Update voor Session beschikbaar", "autoUpdateNewVersionTitle": "Update voor Session beschikbaar",
"autoUpdateNewVersionMessage": "Er is een nieuwe versie van Session beschikbaar.", "autoUpdateNewVersionMessage": "Er is een nieuwe versie van Session beschikbaar.",
"autoUpdateNewVersionInstructions": "Klik op Session herstarten om de updates toe te passen.", "autoUpdateNewVersionInstructions": "Klik op Session herstarten om de updates toe te passen.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$names$ is lid geworden van de groep", "multipleJoinedTheGroup": "$names$ is lid geworden van de groep",
"kickedFromTheGroup": "$name$ is verwijderd uit de groep.", "kickedFromTheGroup": "$name$ is verwijderd uit de groep.",
"multipleKickedFromTheGroup": "$name$ is verwijderd uit de groep.", "multipleKickedFromTheGroup": "$name$ is verwijderd uit de groep.",
"blockUser": "Blokkeren", "block": "Block",
"unblockUser": "Blokkering opheffen", "unblock": "Unblock",
"unblocked": "Gedeblokkeerd", "unblocked": "Gedeblokkeerd",
"blocked": "Geblokkeerd", "blocked": "Geblokkeerd",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Geblokkeerde contacten",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Gesprekken",
"unbanUser": "Gebruiker deblokkeren", "unbanUser": "Gebruiker deblokkeren",
"userUnbanned": "Gebruiker gedeblokkeerd", "userUnbanned": "Gebruiker gedeblokkeerd",
"userUnbanFailed": "Deblokkeren mislukt!", "userUnbanFailed": "Deblokkeren mislukt!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Blokkeren mislukt!", "userBanFailed": "Blokkeren mislukt!",
"leaveGroup": "Verlaat groep", "leaveGroup": "Verlaat groep",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Groep verlaten en voor iedereen verwijderen",
"leaveGroupConfirmation": "Weet je zeker dat je deze groep wilt verlaten?", "leaveGroupConfirmation": "Weet je zeker dat je deze groep wilt verlaten?",
"leaveGroupConfirmationAdmin": "Je bent de beheerder van deze groep, als je deze verlaat, wordt deze voor alle huidige leden verwijderd. Weet je zeker dat je deze groep wilt verlaten?", "leaveGroupConfirmationAdmin": "Je bent de beheerder van deze groep, als je deze verlaat, wordt deze voor alle huidige leden verwijderd. Weet je zeker dat je deze groep wilt verlaten?",
"cannotRemoveCreatorFromGroup": "Kan deze gebruiker niet verwijderen", "cannotRemoveCreatorFromGroup": "Kan deze gebruiker niet verwijderen",
"cannotRemoveCreatorFromGroupDesc": "Je kunt deze gebruiker niet verwijderen omdat hij/zij de maker van de groep is.", "cannotRemoveCreatorFromGroupDesc": "Je kunt deze gebruiker niet verwijderen omdat hij/zij de maker van de groep is.",
"noContactsForGroup": "Je hebt nog geen contacten", "noContactsForGroup": "Je hebt nog geen contacten",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Kan gebruiker niet toevoegen als beheerder",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Kan gebruiker niet verwijderen uit de beheerderslijst",
"copyMessage": "Kopieer tekst van bericht", "copyMessage": "Kopieer tekst van bericht",
"selectMessage": "Selecteer een bericht", "selectMessage": "Selecteer een bericht",
"editGroup": "Groep bewerken", "editGroup": "Groep bewerken",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "$name$ bijwerken...", "updateGroupDialogTitle": "$name$ bijwerken...",
"showRecoveryPhrase": "Herstel zin", "showRecoveryPhrase": "Herstel zin",
"yourSessionID": "Je Session ID", "yourSessionID": "Je Session ID",
"setAccountPasswordTitle": "Account wachtwoord instellen", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Wachtwoord vereisen om Sessie te ontgrendelen.",
"changeAccountPasswordTitle": "Veranderd account wachtwoord", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Wijzig het wachtwoord dat nodig is om Sessie te ontgrendelen.",
"removeAccountPasswordTitle": "Verwijder Account Wachtwoord", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Verwijder het wachtwoord dat nodig is om Sessie te ontgrendelen.",
"enterPassword": "Voer a. u. b. je wachtwoord in", "enterPassword": "Voer a. u. b. je wachtwoord in",
"confirmPassword": "Bevestig Wachtwoord", "confirmPassword": "Bevestig Wachtwoord",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Voer je nieuwe wachtwoord in",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Bevestig je nieuwe wachtwoord",
"showRecoveryPhrasePasswordRequest": "Voer a. u. b. je wachtwoord in", "showRecoveryPhrasePasswordRequest": "Voer a. u. b. je wachtwoord in",
"recoveryPhraseSavePromptMain": "Jou herstel zin is de hoofdsleutel van jou Session ID - Je kunt deze gebruiken om je Session ID te herstellen als je de toegang tot jouw apparaat verliest. Sla jouw herstel zin veilig op en geef het aan niemand.", "recoveryPhraseSavePromptMain": "Jou herstel zin is de hoofdsleutel van jou Session ID - Je kunt deze gebruiken om je Session ID te herstellen als je de toegang tot jouw apparaat verliest. Sla jouw herstel zin veilig op en geef het aan niemand.",
"invalidOpenGroupUrl": "Ongeldige URL", "invalidOpenGroupUrl": "Ongeldige URL",
"copiedToClipboard": "Gekopiëerd naar klembord", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Voer je wachtwoord in",
"password": "Wachtwoord", "password": "Wachtwoord",
"setPassword": "Instellen wachtwoord", "setPassword": "Instellen wachtwoord",
"changePassword": "Wachtwoord wijzigen", "changePassword": "Wachtwoord wijzigen",
"createPassword": "Create your password", "createPassword": "Maak je wachtwoord aan",
"removePassword": "Verwijderd wachtwoord", "removePassword": "Verwijderd wachtwoord",
"maxPasswordAttempts": "Ongeldig wachtwoord. Wilt u de database resetten?", "maxPasswordAttempts": "Ongeldig wachtwoord. Wilt u de database resetten?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Voer je huidige wachtwoord in",
"invalidOldPassword": "Oude wachtwoord is ongeldig", "invalidOldPassword": "Oude wachtwoord is ongeldig",
"invalidPassword": "Ongeldig wachtwoord", "invalidPassword": "Ongeldig wachtwoord",
"noGivenPassword": "Voer a. u. b. je wachtwoord in", "noGivenPassword": "Voer a. u. b. je wachtwoord in",
@ -295,13 +299,13 @@
"setPasswordInvalid": "Wachtwoorden zijn niet hetzelfde", "setPasswordInvalid": "Wachtwoorden zijn niet hetzelfde",
"changePasswordInvalid": "Het ingevoerde oude wachtwoord is onjuist", "changePasswordInvalid": "Het ingevoerde oude wachtwoord is onjuist",
"removePasswordInvalid": "Onjuist wachtwoord", "removePasswordInvalid": "Onjuist wachtwoord",
"setPasswordTitle": "Instellen wachtwoord", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Gewijzigd wachtwoord", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Verwijderd wachtwoord", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Je wachtwoord is ingesteld. Houd het veilig.", "setPasswordToastDescription": "Je wachtwoord is ingesteld. Houd het veilig.",
"changePasswordToastDescription": "Uw wachtwoord is gewijzigd. Hou het veilig.", "changePasswordToastDescription": "Uw wachtwoord is gewijzigd. Hou het veilig.",
"removePasswordToastDescription": "Je hebt je wachtwoord verwijderd.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Je bent al bij deze community aangesloten",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Verbinding maken...", "connectingToServer": "Verbinding maken...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Successfully connected to community",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Weergave", "appearanceSettingsTitle": "Weergave",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Meldingen", "notificationsSettingsTitle": "Meldingen",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Voer uw herstelzin in", "recoveryPhraseEmpty": "Voer uw herstelzin in",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ leden", "members": "$count$ leden",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Vul a. u. b een kortere groepsnaam in", "invalidGroupNameTooLong": "Vul a. u. b een kortere groepsnaam in",
"pickClosedGroupMember": "Kies ten minste één groepslid", "pickClosedGroupMember": "Kies ten minste één groepslid",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Geen geblokkeerde contactpersonen", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Of neem deel aan een van deze...", "orJoinOneOfThese": "Of neem deel aan een van deze...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Weet je zeker dat je media van $name$ wilt downloaden?", "trustThisContactDialogDescription": "Weet je zeker dat je media van $name$ wilt downloaden?",
"pinConversation": "Gesprek vastzetten", "pinConversation": "Gesprek vastzetten",
"unpinConversation": "Gesprek losmaken", "unpinConversation": "Gesprek losmaken",
"markUnread": "Mark Unread",
"showUserDetails": "Toon gebruikers informatie", "showUserDetails": "Toon gebruikers informatie",
"sendRecoveryPhraseTitle": "Herstelzin verzenden", "sendRecoveryPhraseTitle": "Herstelzin verzenden",
"sendRecoveryPhraseMessage": "Je probeert uw herstel zin te versturen welke kan worden gebruikt om toegang te krijgen tot jou account. Weet je zeker dat je dit bericht wilt versturen?", "sendRecoveryPhraseMessage": "Je probeert uw herstel zin te versturen welke kan worden gebruikt om toegang te krijgen tot jou account. Weet je zeker dat je dit bericht wilt versturen?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Wilt je gegevens verwijderen van alleen dit apparaat?", "dialogClearAllDataDeletionFailedTitleQuestion": "Wilt je gegevens verwijderen van alleen dit apparaat?",
"dialogClearAllDataDeletionFailedMultiple": "Gegevens niet verwijderd door deze Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Gegevens niet verwijderd door deze Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Weet je zeker dat je de gegevens van alleen uw apparaat wilt verwijderen?", "areYouSureDeleteDeviceOnly": "Weet je zeker dat je de gegevens van alleen uw apparaat wilt verwijderen?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Oproep gemist van '$name$' omdat je de 'Spraak- en video-oproep' permissie nodig hebt in de privacy-instellingen.", "callMissedCausePermission": "Oproep gemist van '$name$' omdat je de 'Spraak- en video-oproep' permissie nodig hebt in de privacy-instellingen.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Je belde $name$", "startedACall": "Je belde $name$",
"answeredACall": "Bel met $name$", "answeredACall": "Bel met $name$",
@ -467,26 +478,31 @@
"messageRequestAcceptedOursNoName": "You have accepted the message request", "messageRequestAcceptedOursNoName": "You have accepted the message request",
"declineRequestMessage": "Are you sure you want to decline this message request?", "declineRequestMessage": "Are you sure you want to decline this message request?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.",
"hideRequestBanner": "Hide Message Request Banner", "hideRequestBanner": "Verberg banner met berichtverzoeken",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Berichtverzoeken",
"noMessageRequestsPending": "No pending message requests", "noMessageRequestsPending": "Geen openstaande berichtverzoeken",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved", "noMediaUntilApproved": "Je kunt geen bijlagen versturen voordat het gesprek is goedgekeurd",
"mustBeApproved": "This conversation must be accepted to use this feature", "mustBeApproved": "Dit gesprek moet worden geaccepteerd om deze functie te gebruiken",
"youHaveANewFriendRequest": "U heeft een nieuw vriendverzoek", "youHaveANewFriendRequest": "U heeft een nieuw vriendverzoek",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Wis alle berichtverzoeken",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Weet je zeker dat je alle berichtverzoeken wilt wissen?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Verbergen", "hideBanner": "Verbergen",
"openMessageRequestInboxDescription": "View your Message Request inbox", "someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "openMessageRequestInboxDescription": "Bekijk je berichtverzoeken-inbox",
"expandedReactionsText": "Show Less", "clearAllReactions": "Weet je zeker dat je alle $emoji$ wilt wissen?",
"reactionNotification": "Reacts to a message with $emoji$", "expandedReactionsText": "Minder tonen",
"otherSingular": "$number$ other", "reactionNotification": "Reageert op een bericht met $emoji$",
"otherPlural": "$number$ others", "rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"reactionPopup": "reacted with", "otherSingular": "$number$ andere",
"otherPlural": "$number$ anderen",
"reactionPopup": "reageerde met",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$ & $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "En $otherSingular$ heeft gereageerd <span>$emoji$</span> op dit bericht",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "En $otherPlural$ hebben gereageerd <span>$emoji$</span> op dit bericht"
} }

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Bli med i $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Bli med i $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Klarte ikke finne den tilsvarende opengroup-serveren", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Angi Session-ID eller ONS-navn", "enterSessionIDOrONSName": "Angi Session-ID eller ONS-navn",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Laster...", "loading": "Laster...",
@ -72,7 +72,7 @@
"noSearchResults": "Ingen resultater funnet for «$searchTerm$»", "noSearchResults": "Ingen resultater funnet for «$searchTerm$»",
"conversationsHeader": "Kontakter og grupper", "conversationsHeader": "Kontakter og grupper",
"contactsHeader": "Kontakter", "contactsHeader": "Kontakter",
"messagesHeader": "Beskjeder", "messagesHeader": "Conversations",
"settingsHeader": "Innstillinger", "settingsHeader": "Innstillinger",
"typingAlt": "Inntastingsanimasjon for denne samtalen", "typingAlt": "Inntastingsanimasjon for denne samtalen",
"contactAvatarAlt": "Avatar for kontakt $name$", "contactAvatarAlt": "Avatar for kontakt $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Slett $count$ meldinger?", "deleteMessagesQuestion": "Slett $count$ meldinger?",
"deleteMessageQuestion": "Slett denne meldingen?", "deleteMessageQuestion": "Slett denne meldingen?",
"deleteMessages": "Slett beskjeder", "deleteMessages": "Slett beskjeder",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ slettet", "deleted": "$count$ slettet",
"messageDeletedPlaceholder": "Denne beskjeden er slettet", "messageDeletedPlaceholder": "Denne beskjeden er slettet",
"from": "Fra:", "from": "Fra:",
@ -107,29 +108,30 @@
"sent": "Sendt", "sent": "Sendt",
"received": "Mottatt", "received": "Mottatt",
"sendMessage": "Beskjed", "sendMessage": "Beskjed",
"groupMembers": "Gruppemedlemmer", "groupMembers": "Members",
"moreInformation": "Mer informasjon", "moreInformation": "Mer informasjon",
"resend": "Send på nytt", "resend": "Send på nytt",
"deleteConversationConfirmation": "Slett beskjedene permanent i denne samtalen?", "deleteConversationConfirmation": "Slett beskjedene permanent i denne samtalen?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Fjern alle data", "clearAllData": "Fjern alle data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Er du sikker på at du vil slette denne samtalen?", "deleteContactConfirmation": "Er du sikker på at du vil slette denne samtalen?",
"quoteThumbnailAlt": "Miniatyrbilde av bilde i sitert beskjed", "quoteThumbnailAlt": "Miniatyrbilde av bilde i sitert beskjed",
"imageAttachmentAlt": "Bilde vedlagt til beskjed", "imageAttachmentAlt": "Bilde vedlagt til beskjed",
"videoAttachmentAlt": "Skjermbilde av video vedlagt til beskjed", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Bilde sendt i samtale", "lightboxImageAlt": "Bilde sendt i samtale",
"imageCaptionIconAlt": "Symbol som viser at dette bildet har en bildetekst", "imageCaptionIconAlt": "Symbol som viser at dette bildet har en bildetekst",
"addACaption": "Legg til bildetekst...", "addACaption": "Legg til bildetekst...",
"copySessionID": "Kopier Session-ID", "copySessionID": "Kopier Session-ID",
"copyOpenGroupURL": "Kopier gruppens URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Lagre", "save": "Lagre",
"saveLogToDesktop": "Lagre loggfil til skrivebordet", "saveLogToDesktop": "Lagre loggfil til skrivebordet",
"saved": "Lagret", "saved": "Lagret",
"tookAScreenshot": "$name$ tok et skjermbilde", "tookAScreenshot": "$name$ tok et skjermbilde",
"savedTheFile": "Media lagret av $name$", "savedTheFile": "Media lagret av $name$",
"linkPreviewsTitle": "Send forhåndsvisning av lenker", "linkPreviewsTitle": "Send forhåndsvisning av lenker",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "Du vil ikke ha full metadatabeskyttelse når du sender lenkeforhåndsvisninger.", "linkPreviewsConfirmMessage": "Du vil ikke ha full metadatabeskyttelse når du sender lenkeforhåndsvisninger.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Inntastingsindikatorer", "typingIndicatorsSettingTitle": "Inntastingsindikatorer",
"zoomFactorSettingTitle": "Zoomfaktor", "zoomFactorSettingTitle": "Zoomfaktor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Aktiver", "enable": "Aktiver",
"keepDisabled": "Hold deaktivert", "keepDisabled": "Hold deaktivert",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Navn og innhold", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Verken navn eller innhold", "noNameOrMessage": "Verken navn eller innhold",
"nameOnly": "Kun navn", "nameOnly": "Kun navn",
"newMessage": "Ny beskjed", "newMessage": "Ny beskjed",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 timer", "timerOption_12_hours": "12 timer",
"timerOption_1_day": "1 dag", "timerOption_1_day": "1 dag",
"timerOption_1_week": "1 uke", "timerOption_1_week": "1 uke",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Tidsbegrensede beskjeder", "disappearingMessages": "Tidsbegrensede beskjeder",
"changeNickname": "Forandre kallenavn", "changeNickname": "Forandre kallenavn",
"clearNickname": "Fjern kallenavn", "clearNickname": "Fjern kallenavn",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12t", "timerOption_12_hours_abbreviated": "12t",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1u", "timerOption_1_week_abbreviated": "1u",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Tidsbegrensede beskjeder er deaktivert", "disappearingMessagesDisabled": "Tidsbegrensede beskjeder er deaktivert",
"disabledDisappearingMessages": "$name$ deaktiverte tidsbegrensede beskjeder.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Du deaktiverte tidsbegrensede beskjeder.", "youDisabledDisappearingMessages": "Du deaktiverte tidsbegrensede beskjeder.",
"timerSetTo": "Utløpstiden for beskjeder satt til $time$", "timerSetTo": "Utløpstiden for beskjeder satt til $time$",
"noteToSelf": "Notat til meg selv", "noteToSelf": "Notat til meg selv",
"hideMenuBarTitle": "Skjul menylinjen", "hideMenuBarTitle": "Skjul menylinjen",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start ny samtale", "startConversation": "Start ny samtale",
"invalidNumberError": "Ugyldig Session-ID eller ONS-navn", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Fant ikke ONS-navnet", "failedResolveOns": "Fant ikke ONS-navnet",
"autoUpdateSettingTitle": "Automatisk oppdatering", "autoUpdateSettingTitle": "Automatisk oppdatering",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ ble med i gruppen.", "multipleJoinedTheGroup": "$name$ ble med i gruppen.",
"kickedFromTheGroup": "$name$ ble fjernet fra gruppen.", "kickedFromTheGroup": "$name$ ble fjernet fra gruppen.",
"multipleKickedFromTheGroup": "$name$ ble fjernet fra gruppen.", "multipleKickedFromTheGroup": "$name$ ble fjernet fra gruppen.",
"blockUser": "Blokker", "block": "Block",
"unblockUser": "Avblokker", "unblock": "Unblock",
"unblocked": "Blokkering opphevet", "unblocked": "Blokkering opphevet",
"blocked": "Blokkert", "blocked": "Blokkert",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Oppdaterer $name$...", "updateGroupDialogTitle": "Oppdaterer $name$...",
"showRecoveryPhrase": "Gjenopprettelsesfrase", "showRecoveryPhrase": "Gjenopprettelsesfrase",
"yourSessionID": "Din Session-ID", "yourSessionID": "Din Session-ID",
"setAccountPasswordTitle": "Still kontopassord", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Forandre kontopassord", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Fjern kontopassord", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Vennligst skriv inn passordet ditt", "enterPassword": "Vennligst skriv inn passordet ditt",
"confirmPassword": "Bekreft passordet", "confirmPassword": "Bekreft passordet",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Vennligst skriv inn passordet ditt", "showRecoveryPhrasePasswordRequest": "Vennligst skriv inn passordet ditt",
"recoveryPhraseSavePromptMain": "Gjenopprettelsesfrasen din er hovednøkkelen til Session-IDen din du kan bruke den for å gjenopprette Session-IDen din dersom du mister tilgang til enheten din. Arkiver gjenopprettelsesfrasen din på et trygt sted, og ikke gi den til noen.", "recoveryPhraseSavePromptMain": "Gjenopprettelsesfrasen din er hovednøkkelen til Session-IDen din du kan bruke den for å gjenopprette Session-IDen din dersom du mister tilgang til enheten din. Arkiver gjenopprettelsesfrasen din på et trygt sted, og ikke gi den til noen.",
"invalidOpenGroupUrl": "Ugyldig URL", "invalidOpenGroupUrl": "Ugyldig URL",
"copiedToClipboard": "Kopiert til utklippstavlen", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Passord", "password": "Passord",
"setPassword": "Still passord", "setPassword": "Still passord",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passordene stemmer ikke overens", "setPasswordInvalid": "Passordene stemmer ikke overens",
"changePasswordInvalid": "Det gamle passordet du skrev inn, var galt", "changePasswordInvalid": "Det gamle passordet du skrev inn, var galt",
"removePasswordInvalid": "Galt passord", "removePasswordInvalid": "Galt passord",
"setPasswordTitle": "Stilte passordet", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Forandret passordet", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Fjernet passordet", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Passordet er blitt stilt. Vennligst oppbevar det trygt.", "setPasswordToastDescription": "Passordet er blitt stilt. Vennligst oppbevar det trygt.",
"changePasswordToastDescription": "Passordet ditt er endret. Vennligst oppbevar det trygt.", "changePasswordToastDescription": "Passordet ditt er endret. Vennligst oppbevar det trygt.",
"removePasswordToastDescription": "Du har fjernet passordet ditt.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Kobler til...", "connectingToServer": "Kobler til...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Utseende", "appearanceSettingsTitle": "Utseende",
"privacySettingsTitle": "Personvern", "privacySettingsTitle": "Personvern",
"notificationsSettingsTitle": "Varsler", "notificationsSettingsTitle": "Varsler",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Skriv inn gjenopprettelsesfrasen", "recoveryPhraseEmpty": "Skriv inn gjenopprettelsesfrasen",
"displayNameEmpty": "Vennligst skriv inn navnet som skal vises", "displayNameEmpty": "Vennligst skriv inn navnet som skal vises",
"displayNameTooLong": "Display name is too long",
"members": "$count$ medlemmer", "members": "$count$ medlemmer",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Vennligst skriv inn et kortere gruppenavn", "invalidGroupNameTooLong": "Vennligst skriv inn et kortere gruppenavn",
"pickClosedGroupMember": "Vennligst velg minst 1 gruppemedlem", "pickClosedGroupMember": "Vennligst velg minst 1 gruppemedlem",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Ingen blokkerte kontakter", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Eller bli med i en av disse...", "orJoinOneOfThese": "Eller bli med i en av disse...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Er du sikker på at du vil laste ned medier sendt av $name$?", "trustThisContactDialogDescription": "Er du sikker på at du vil laste ned medier sendt av $name$?",
"pinConversation": "Fest samtale", "pinConversation": "Fest samtale",
"unpinConversation": "Løsne samtale", "unpinConversation": "Løsne samtale",
"markUnread": "Mark Unread",
"showUserDetails": "Vis brukeropplysninger", "showUserDetails": "Vis brukeropplysninger",
"sendRecoveryPhraseTitle": "Sender gjenopprettelsesfrase", "sendRecoveryPhraseTitle": "Sender gjenopprettelsesfrase",
"sendRecoveryPhraseMessage": "Du forsøker å sende gjenopprettelsesfrasen din, som kan brukes til å få tilgang til kontoen din. Er du sikker på at du vil sende denne beskjeden?", "sendRecoveryPhraseMessage": "Du forsøker å sende gjenopprettelsesfrasen din, som kan brukes til å få tilgang til kontoen din. Er du sikker på at du vil sende denne beskjeden?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Vil du slette opplysningene kun fra denne enheten?", "dialogClearAllDataDeletionFailedTitleQuestion": "Vil du slette opplysningene kun fra denne enheten?",
"dialogClearAllDataDeletionFailedMultiple": "Opplysninger ikke slettet av disse tjenesteknutepunktene: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Opplysninger ikke slettet av disse tjenesteknutepunktene: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Er du sikker på at du kun vil slette opplysningene på enheten?", "areYouSureDeleteDeviceOnly": "Er du sikker på at du kun vil slette opplysningene på enheten?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Oppringing fra '$name$ mislyktes fordi du trenger å aktivere 'Stemme- og videosamtaler' tillatelsen i personvernsinnstillingene.", "callMissedCausePermission": "Oppringing fra '$name$ mislyktes fordi du trenger å aktivere 'Stemme- og videosamtaler' tillatelsen i personvernsinnstillingene.",
"callMissedNotApproved": "Anrop fra '$name$' gikk tapt fordi du ikke har akseptert denne konversasjonen ennå. Du må sende dem en melding først.", "callMissedNotApproved": "Anrop fra '$name$' gikk tapt fordi du ikke har akseptert denne konversasjonen ennå. Du må sende dem en melding først.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Du ringte $name$", "startedACall": "Du ringte $name$",
"answeredACall": "Oppringning med $name$", "answeredACall": "Oppringning med $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "Du har en ny venneforespørsel", "youHaveANewFriendRequest": "Du har en ny venneforespørsel",
"clearAllConfirmationTitle": "Fjern alle meldingsforespørsler", "clearAllConfirmationTitle": "Fjern alle meldingsforespørsler",
"clearAllConfirmationBody": "Er du sikker på at du ønsker å slette alle meldingsforespørsler?", "clearAllConfirmationBody": "Er du sikker på at du ønsker å slette alle meldingsforespørsler?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Skjule", "hideBanner": "Skjule",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Vis din innboks for meldingsforespørsler", "openMessageRequestInboxDescription": "Vis din innboks for meldingsforespørsler",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Loading...", "loading": "Loading...",
@ -72,7 +72,7 @@
"noSearchResults": "No results found for \"$searchTerm$\"", "noSearchResults": "No results found for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Contacts", "contactsHeader": "Contacts",
"messagesHeader": "Messages", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Typing animation for this conversation",
"contactAvatarAlt": "Avatar for contact $name$", "contactAvatarAlt": "Avatar for contact $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Delete Messages", "deleteMessages": "Delete Messages",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "From:", "from": "From:",
@ -107,29 +108,30 @@
"sent": "Sent", "sent": "Sent",
"received": "Received", "received": "Received",
"sendMessage": "Message", "sendMessage": "Message",
"groupMembers": "Group members", "groupMembers": "Members",
"moreInformation": "More information", "moreInformation": "More information",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "Permanently delete the messages in this conversation?", "deleteConversationConfirmation": "Permanently delete the messages in this conversation?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "quoteThumbnailAlt": "Thumbnail of image from quoted message",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Image sent in conversation", "lightboxImageAlt": "Image sent in conversation",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...", "addACaption": "Add a caption...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Save", "save": "Save",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Name and content", "nameAndMessage": "Name & Content",
"noNameOrMessage": "No name or content", "noNameOrMessage": "No name or content",
"nameOnly": "Name Only", "nameOnly": "Name Only",
"newMessage": "New Message", "newMessage": "New Message",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hours", "timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 day", "timerOption_1_day": "1 day",
"timerOption_1_week": "1 week", "timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Disappearing messages", "disappearingMessages": "Disappearing messages",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w", "timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "youDisabledDisappearingMessages": "You disabled disappearing messages.",
"timerSetTo": "Disappearing message time set to $time$", "timerSetTo": "Disappearing message time set to $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start New Conversation", "startConversation": "Start New Conversation",
"invalidNumberError": "Invalid Session ID or ONS Name", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ joined the group.", "multipleJoinedTheGroup": "$name$ joined the group.",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Pełny ekran", "viewMenuToggleFullScreen": "Pełny ekran",
"viewMenuToggleDevTools": "Narzędzia dla programistów", "viewMenuToggleDevTools": "Narzędzia dla programistów",
"contextMenuNoSuggestions": "Brak Sugestii", "contextMenuNoSuggestions": "Brak Sugestii",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Zaproszenie do społeczności",
"joinOpenGroupAfterInvitationConfirmationTitle": "Dołączyć do $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Dołączyć do $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Czy na pewno chcesz dołączyć do społeczności $roomName$?",
"couldntFindServerMatching": "Nie mogliśmy znaleźć odpowiedniego serwera OpenGroup", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Wprowadź Session ID lub nazwę ONS", "enterSessionIDOrONSName": "Wprowadź Session ID lub nazwę ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Rozpocznij konwersację poprzez podanie ID kontaktu, lub udostępnij swój ID znajomemu.",
"loading": "Ładowanie...", "loading": "Ładowanie...",
"done": "Gotowe", "done": "Gotowe",
"youLeftTheGroup": "Opuściłeś(aś) grupę.", "youLeftTheGroup": "Opuściłeś(aś) grupę.",
"youGotKickedFromGroup": "Usunięto cię z grupy.", "youGotKickedFromGroup": "Usunięto cię z grupy.",
"unreadMessages": "Nieprzeczytane wiadomości", "unreadMessages": "Nieprzeczytane wiadomości",
"debugLogExplanation": "Ten dziennik zostanie zapisany na Twoim komputerze.", "debugLogExplanation": "Ten dziennik zostanie zapisany na Twoim komputerze.",
"reportIssue": "Report a Bug", "reportIssue": "Zgłoś błąd",
"markAllAsRead": "Oznacz wszystkie jako przeczytane", "markAllAsRead": "Oznacz wszystkie jako przeczytane",
"incomingError": "Błąd przy obsłudze przychodzącej wiadomości.", "incomingError": "Błąd przy obsłudze przychodzącej wiadomości.",
"media": "Multimedia", "media": "Multimedia",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Przepraszamy, wystąpił błąd podczas dodawania załącznika.", "unableToLoadAttachment": "Przepraszamy, wystąpił błąd podczas dodawania załącznika.",
"offline": "Rozłączony", "offline": "Rozłączony",
"debugLog": "Dziennik Debugowania", "debugLog": "Dziennik Debugowania",
"showDebugLog": "Export Logs", "showDebugLog": "Eksport dzienników",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Wyeksportuj logi do pliku, następnie wyślij plik poprzez Help Desk Session.",
"goToReleaseNotes": "Przejdź do informacji o wersji", "goToReleaseNotes": "Przejdź do informacji o wersji",
"goToSupportPage": "Przejdź do strony wsparcia", "goToSupportPage": "Przejdź do strony wsparcia",
"about": "O mnie", "about": "O mnie",
@ -72,7 +72,7 @@
"noSearchResults": "Brak wyników dla \"$searchTerm$\"", "noSearchResults": "Brak wyników dla \"$searchTerm$\"",
"conversationsHeader": "Kontakty i grupy", "conversationsHeader": "Kontakty i grupy",
"contactsHeader": "Kontakty", "contactsHeader": "Kontakty",
"messagesHeader": "Wiadomości", "messagesHeader": "Conversations",
"settingsHeader": "Ustawienia", "settingsHeader": "Ustawienia",
"typingAlt": "Animacja wskaźnika pisania w tej rozmowie", "typingAlt": "Animacja wskaźnika pisania w tej rozmowie",
"contactAvatarAlt": "Zdjęcie profilowe $name$", "contactAvatarAlt": "Zdjęcie profilowe $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Usunąć $count$ wiadomość?", "deleteMessagesQuestion": "Usunąć $count$ wiadomość?",
"deleteMessageQuestion": "Usunąć tę wiadomość?", "deleteMessageQuestion": "Usunąć tę wiadomość?",
"deleteMessages": "Usuń konwersację", "deleteMessages": "Usuń konwersację",
"deleteConversation": "Delete Conversation",
"deleted": "Usunięto $count$", "deleted": "Usunięto $count$",
"messageDeletedPlaceholder": "Ta wiadomość została usunięta", "messageDeletedPlaceholder": "Ta wiadomość została usunięta",
"from": "Od:", "from": "Od:",
@ -107,17 +108,18 @@
"sent": "Wysłano", "sent": "Wysłano",
"received": "Otrzymano", "received": "Otrzymano",
"sendMessage": "Wyślij wiadomość", "sendMessage": "Wyślij wiadomość",
"groupMembers": "Członkowie grupy", "groupMembers": "Członkowie",
"moreInformation": "Więcej informacji", "moreInformation": "Więcej informacji",
"resend": "Wyślij ponownie", "resend": "Wyślij ponownie",
"deleteConversationConfirmation": "Usunąć trwale tę konwersację?", "deleteConversationConfirmation": "Usunąć trwale tę konwersację?",
"clear": "Clear", "clear": "Wyczyść",
"clearAllData": "Wyczyść wszystkie dane", "clearAllData": "Wyczyść wszystkie dane",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Spowoduje to trwałe usunięcie Twoich wiadomości i kontaktów.",
"deleteAccountFromLogin": "Czy jesteś pewien, że chcesz usunąć dane z urządzenia?",
"deleteContactConfirmation": "Czy na pewno chcesz usunąć tę rozmowę?", "deleteContactConfirmation": "Czy na pewno chcesz usunąć tę rozmowę?",
"quoteThumbnailAlt": "Miniatura obrazu z cytowanej wiadomości", "quoteThumbnailAlt": "Miniatura obrazu z cytowanej wiadomości",
"imageAttachmentAlt": "Zdjęcie załączone do wiadomości", "imageAttachmentAlt": "Zdjęcie załączone do wiadomości",
"videoAttachmentAlt": "Zrzut ekranu z filmu dołączonego do wiadomości", "videoAttachmentAlt": "Zrzut ekranu wideo w wiadomości",
"lightboxImageAlt": "Obraz wysłany w rozmowie", "lightboxImageAlt": "Obraz wysłany w rozmowie",
"imageCaptionIconAlt": "Ikona informująca o tekście, który zawiera grafika", "imageCaptionIconAlt": "Ikona informująca o tekście, który zawiera grafika",
"addACaption": "Dodaj podpis...", "addACaption": "Dodaj podpis...",
@ -129,43 +131,43 @@
"tookAScreenshot": "$name$ wykonał zrzut ekranu", "tookAScreenshot": "$name$ wykonał zrzut ekranu",
"savedTheFile": "Media zapisane przez $name$", "savedTheFile": "Media zapisane przez $name$",
"linkPreviewsTitle": "Podgląd linków", "linkPreviewsTitle": "Podgląd linków",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generuj podglądy linków dla wspieranych adresów URL.",
"linkPreviewsConfirmMessage": "Pełna ochrona metadanych nie będzie dostępna podczas wysyłania podglądu.", "linkPreviewsConfirmMessage": "Pełna ochrona metadanych nie będzie dostępna podczas wysyłania podglądu.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Zezwól na dostęp do mikrofonu.",
"spellCheckTitle": "Sprawdzanie pisowni", "spellCheckTitle": "Sprawdzanie pisowni",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Włącz sprawdzanie pisowni podczas pisania wiadomości.",
"spellCheckDirty": "Musisz zrestartować Session, aby zastosować nowe ustawienia", "spellCheckDirty": "Musisz zrestartować Session, aby zastosować nowe ustawienia",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Wysyłaj potwierdzenia przeczytania w konwersacjach typu jeden do jednego.",
"readReceiptSettingTitle": "Potwierdzenia przeczytania", "readReceiptSettingTitle": "Potwierdzenia przeczytania",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Włącz widoczność oraz wysyłanie wskaźnika pisania wiadomości w rozmowach jeden do jednego.",
"typingIndicatorsSettingTitle": "Wskaźniki pisania", "typingIndicatorsSettingTitle": "Wskaźniki pisania",
"zoomFactorSettingTitle": "Współczynnik powiększenia", "zoomFactorSettingTitle": "Współczynnik powiększenia",
"themesSettingTitle": "Themes", "themesSettingTitle": "Motywy",
"primaryColor": "Primary Color", "primaryColor": "Kolor główny",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Podstawowy kolor zielony",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Podstawowy kolor niebieski",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Podstawowy kolor żółty",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Podstawowy kolor różowy",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Podstawowy kolor fioletowy",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Podstawowy kolor pomarańczowy",
"primaryColorRed": "Primary color red", "primaryColorRed": "Podstawowy kolor czerwony",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klasyczny ciemny",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klasyczny jasny",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ciemny Ocean",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Jasny Ocean",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Przytnij społeczności",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Usuń wiadomości starsze niż 6 miesięcy ze społeczności, które mają ponad 2000 wiadomości.",
"enable": "Włącz", "enable": "Włącz",
"keepDisabled": "Pozostaw wyłączone", "keepDisabled": "Pozostaw wyłączone",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Informacje wyświetlane w powiadomieniach.",
"nameAndMessage": "Z nazwą nadawcy i wiadomością", "nameAndMessage": "Nazwa i treść",
"noNameOrMessage": "Bez nadawcy i wiadomości", "noNameOrMessage": "Bez nadawcy i wiadomości",
"nameOnly": "Tylko z nazwą nadawcy", "nameOnly": "Tylko z nazwą nadawcy",
"newMessage": "Nowa wiadomość", "newMessage": "Nowa wiadomość",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Rozpocznij rozmowę z nowym kontaktem",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Utwórz grupę z istniejącymi kontaktami",
"joinACommunity": "Join a community", "joinACommunity": "Dołącz do społeczności",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Choose an action to start a conversation",
"newMessages": "Nowe wiadomości", "newMessages": "Nowe wiadomości",
"notificationMostRecentFrom": "Najnowsza z: $name$", "notificationMostRecentFrom": "Najnowsza z: $name$",
@ -174,7 +176,7 @@
"sendFailed": "Nie udało się wysłać", "sendFailed": "Nie udało się wysłać",
"mediaMessage": "Wiadomość multimedialna", "mediaMessage": "Wiadomość multimedialna",
"messageBodyMissing": "Wpisz wiadomość.", "messageBodyMissing": "Wpisz wiadomość.",
"messageBody": "Message body", "messageBody": "Treść wiadomości",
"unblockToSend": "Odblokuj ten kontakt, aby wysłać wiadomość.", "unblockToSend": "Odblokuj ten kontakt, aby wysłać wiadomość.",
"unblockGroupToSend": "Odblokuj tę grupę, aby wysłać wiadomość.", "unblockGroupToSend": "Odblokuj tę grupę, aby wysłać wiadomość.",
"youChangedTheTimer": "Ustawiłeś(aś) znikające wiadomości na $time$.", "youChangedTheTimer": "Ustawiłeś(aś) znikające wiadomości na $time$.",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 godzin", "timerOption_12_hours": "12 godzin",
"timerOption_1_day": "1 dzień", "timerOption_1_day": "1 dzień",
"timerOption_1_week": "1 tydzień", "timerOption_1_week": "1 tydzień",
"timerOption_2_weeks": "2 tygodnie",
"disappearingMessages": "Znikające wiadomości", "disappearingMessages": "Znikające wiadomości",
"changeNickname": "Zmień pseudonim", "changeNickname": "Zmień pseudonim",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12 godz.", "timerOption_12_hours_abbreviated": "12 godz.",
"timerOption_1_day_abbreviated": "1 dzień", "timerOption_1_day_abbreviated": "1 dzień",
"timerOption_1_week_abbreviated": "1 tydz.", "timerOption_1_week_abbreviated": "1 tydz.",
"timerOption_2_weeks_abbreviated": "2t",
"disappearingMessagesDisabled": "Znikające wiadomości zostały wyłączone", "disappearingMessagesDisabled": "Znikające wiadomości zostały wyłączone",
"disabledDisappearingMessages": "$name$ wyłączył(a) znikające wiadomości.", "disabledDisappearingMessages": "$name$ wyłączył znikające wiadomości.",
"youDisabledDisappearingMessages": "Wyłączyłeś(aś) znikające wiadomości.", "youDisabledDisappearingMessages": "Wyłączyłeś(aś) znikające wiadomości.",
"timerSetTo": "Czas znikania wiadomości ustawiony na $time$", "timerSetTo": "Czas znikania wiadomości ustawiony na $time$",
"noteToSelf": "Moje notatki", "noteToSelf": "Moje notatki",
"hideMenuBarTitle": "Ukryj pasek menu", "hideMenuBarTitle": "Ukryj pasek menu",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Przełącz widoczność systemowego paska menu.",
"startConversation": "Rozpocznij nową rozmowę...", "startConversation": "Rozpocznij nową rozmowę...",
"invalidNumberError": "Nieprawidłowy numer", "invalidNumberError": "Sprawdź poprawność ID sesji lub nazwę ONS i spróbuj ponownie",
"failedResolveOns": "Nie udało się ustalić nazwy ONS", "failedResolveOns": "Nie udało się ustalić nazwy ONS",
"autoUpdateSettingTitle": "Automatyczna aktualizacja", "autoUpdateSettingTitle": "Automatyczna aktualizacja",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatycznie sprawdzaj dostępność aktualizacji podczas uruchamiania.",
"autoUpdateNewVersionTitle": "Dostępna aktualizacja aplikacji Session", "autoUpdateNewVersionTitle": "Dostępna aktualizacja aplikacji Session",
"autoUpdateNewVersionMessage": "Dostępna nowa wersja Session", "autoUpdateNewVersionMessage": "Dostępna nowa wersja Session",
"autoUpdateNewVersionInstructions": "Naciśnij Uruchom ponownie, aby zastosować aktualizacje.", "autoUpdateNewVersionInstructions": "Naciśnij Uruchom ponownie, aby zastosować aktualizacje.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$ dołączyli do grupy.", "multipleJoinedTheGroup": "$name$ dołączyli do grupy.",
"kickedFromTheGroup": "$name$ został usunięty z grupy.", "kickedFromTheGroup": "$name$ został usunięty z grupy.",
"multipleKickedFromTheGroup": "$name$ zostali usunięci z grupy.", "multipleKickedFromTheGroup": "$name$ zostali usunięci z grupy.",
"blockUser": "Zablokuj", "block": "Block",
"unblockUser": "Odblokuj", "unblock": "Unblock",
"unblocked": "Odblokowano", "unblocked": "Odblokowano",
"blocked": "Zablokowany", "blocked": "Zablokowany",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Zablokowane kontakty",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Rozmowy",
"unbanUser": "Odbanuj użytkownika", "unbanUser": "Odbanuj użytkownika",
"userUnbanned": "Użytkownik odbanowany pomyślnie", "userUnbanned": "Użytkownik odbanowany pomyślnie",
"userUnbanFailed": "Odbanowanie nie powiodło się!", "userUnbanFailed": "Odbanowanie nie powiodło się!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Ban nieudany!", "userBanFailed": "Ban nieudany!",
"leaveGroup": "Opuść grupę", "leaveGroup": "Opuść grupę",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Opuść grupę i zakończ ją u wszystkich",
"leaveGroupConfirmation": "Czy na pewno chcesz opuścić tę grupę?", "leaveGroupConfirmation": "Czy na pewno chcesz opuścić tę grupę?",
"leaveGroupConfirmationAdmin": "Ponieważ jesteś administratorem tej grupy, jeśli ją opuścisz, zostanie ona usunięta dla wszystkich obecnych użytkowników. Czy na pewno chcesz opuścić tę grupę?", "leaveGroupConfirmationAdmin": "Ponieważ jesteś administratorem tej grupy, jeśli ją opuścisz, zostanie ona usunięta dla wszystkich obecnych użytkowników. Czy na pewno chcesz opuścić tę grupę?",
"cannotRemoveCreatorFromGroup": "Nie można usunąć tego użytkownika", "cannotRemoveCreatorFromGroup": "Nie można usunąć tego użytkownika",
"cannotRemoveCreatorFromGroupDesc": "Nie możesz usunąć tego użytkownika, ponieważ jest on twórcą grupy.", "cannotRemoveCreatorFromGroupDesc": "Nie możesz usunąć tego użytkownika, ponieważ jest on twórcą grupy.",
"noContactsForGroup": "Nie masz jeszcze żadnych kontaktów", "noContactsForGroup": "Nie masz jeszcze żadnych kontaktów",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Nie udało się dodać użytkownika jako moderatora",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Nie udało się usunąć użytkownika z listy moderatorów",
"copyMessage": "Skopiuj treść wiadomości", "copyMessage": "Skopiuj treść wiadomości",
"selectMessage": "Wybierz wiadomość", "selectMessage": "Wybierz wiadomość",
"editGroup": "Edytuj grupę", "editGroup": "Edytuj grupę",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "Aktualizowanie $name$...", "updateGroupDialogTitle": "Aktualizowanie $name$...",
"showRecoveryPhrase": "Zwrot odzyskiwania", "showRecoveryPhrase": "Zwrot odzyskiwania",
"yourSessionID": "Twój identyfikator Session", "yourSessionID": "Twój identyfikator Session",
"setAccountPasswordTitle": "Ustaw hasło konta", "setAccountPasswordTitle": "Hasło",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Wymagaj hasła, aby odblokować Session.",
"changeAccountPasswordTitle": "Zmień hasło konta", "changeAccountPasswordTitle": "Zmień hasło",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Zmień hasło wymagane do odblokowania Session.",
"removeAccountPasswordTitle": "Usuń hasło konta", "removeAccountPasswordTitle": "Usuń hasło",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Usuń hasło wymagane do odblokowania Session.",
"enterPassword": "Podaj swoje hasło", "enterPassword": "Podaj swoje hasło",
"confirmPassword": "Potwierdź hasło", "confirmPassword": "Potwierdź hasło",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Proszę wprowadzić nowe hasło",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Potwierdź nowe hasło",
"showRecoveryPhrasePasswordRequest": "Podaj swoje hasło", "showRecoveryPhrasePasswordRequest": "Podaj swoje hasło",
"recoveryPhraseSavePromptMain": "Twoja fraza odzyskiwania jest kluczem głównym do identyfikatora Session - możesz go użyć do przywrócenia identyfikatora Session, jeśli stracisz dostęp do urządzenia. Przechowuj swoją frazę odzyskiwania w bezpiecznym miejscu i nikomu jej nie udostępniaj.", "recoveryPhraseSavePromptMain": "Twoja fraza odzyskiwania jest kluczem głównym do identyfikatora Session - możesz go użyć do przywrócenia identyfikatora Session, jeśli stracisz dostęp do urządzenia. Przechowuj swoją frazę odzyskiwania w bezpiecznym miejscu i nikomu jej nie udostępniaj.",
"invalidOpenGroupUrl": "Nieprawidłowy URL", "invalidOpenGroupUrl": "Nieprawidłowy URL",
"copiedToClipboard": "Skopiowane do schowka", "copiedToClipboard": "Skopiowano",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Wprowadź hasło",
"password": "Hasło", "password": "Hasło",
"setPassword": "Ustaw hasło", "setPassword": "Ustaw hasło",
"changePassword": "Zmień hasło", "changePassword": "Zmień hasło",
"createPassword": "Create your password", "createPassword": "Utwórz hasło",
"removePassword": "Usuń hasło", "removePassword": "Usuń hasło",
"maxPasswordAttempts": "Nieprawidłowe hasło. Czy chcesz zresetować bazę danych?", "maxPasswordAttempts": "Nieprawidłowe hasło. Czy chcesz zresetować bazę danych?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Wprowadź aktualne hasło",
"invalidOldPassword": "Stare hasło jest nieprawidłowe", "invalidOldPassword": "Stare hasło jest nieprawidłowe",
"invalidPassword": "Nieprawidłowe hasło", "invalidPassword": "Nieprawidłowe hasło",
"noGivenPassword": "Podaj swoje hasło", "noGivenPassword": "Podaj swoje hasło",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Podane hasła różnią się", "setPasswordInvalid": "Podane hasła różnią się",
"changePasswordInvalid": "Twoje stare hasło jest nieprawidłowe", "changePasswordInvalid": "Twoje stare hasło jest nieprawidłowe",
"removePasswordInvalid": "Nieprawidłowe hasło", "removePasswordInvalid": "Nieprawidłowe hasło",
"setPasswordTitle": "Ustaw hasło", "setPasswordTitle": "Hasło ustawione",
"changePasswordTitle": "Zmieniono hasło", "changePasswordTitle": "Hasło zostało zmienione",
"removePasswordTitle": "Usunięto hasło", "removePasswordTitle": "Hasło zostało usunięte",
"setPasswordToastDescription": "Hasło zostało ustawione. Proszę trzymaj je bezpieczne.", "setPasswordToastDescription": "Hasło zostało ustawione. Proszę trzymaj je bezpieczne.",
"changePasswordToastDescription": "Hasło zostało zmienione. Proszę trzymaj je bezpieczne.", "changePasswordToastDescription": "Hasło zostało zmienione. Proszę trzymaj je bezpieczne.",
"removePasswordToastDescription": "Usunięto hasło.", "removePasswordToastDescription": "Twoje hasło zostało usunięte.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Jesteś już połączony z tą społecznością",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Nie udało się dołączyć do społeczności",
"connectingToServer": "Łączenie...", "connectingToServer": "Łączenie...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Pomyślnie połączono ze społecznością",
"setPasswordFail": "Nie udało się ustawić hasła", "setPasswordFail": "Nie udało się ustawić hasła",
"passwordLengthError": "Hasło musi zawierać od 6 do 64 znaków", "passwordLengthError": "Hasło musi zawierać od 6 do 64 znaków",
"passwordTypeError": "Hasło musi być tekstem", "passwordTypeError": "Hasło musi być tekstem",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Profil", "editProfileModalTitle": "Profil",
"groupNamePlaceholder": "Nazwa grupy", "groupNamePlaceholder": "Nazwa grupy",
"inviteContacts": "Zaproś znajomych", "inviteContacts": "Zaproś znajomych",
"addModerators": "Add Admins", "addModerators": "Dodaj administratorów",
"removeModerators": "Remove Admins", "removeModerators": "Usuń Administratorów",
"addAsModerator": "Add as Admin", "addAsModerator": "Dodaj jako administratora",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Usuń z administratorów",
"add": "Dodaj", "add": "Dodaj",
"addingContacts": "Dodawanie kontaktów do", "addingContacts": "Dodawanie kontaktów do",
"noContactsToAdd": "Nie ma kontaktów do dodania", "noContactsToAdd": "Nie ma kontaktów do dodania",
"noMembersInThisGroup": "Brak członków w grupie", "noMembersInThisGroup": "Brak członków w grupie",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "brak administratorów do usunięcia",
"onlyAdminCanRemoveMembers": "Nie jesteś właścicielem grupy", "onlyAdminCanRemoveMembers": "Nie jesteś właścicielem grupy",
"onlyAdminCanRemoveMembersDesc": "Tylko twórca grupy może usunąć użytkowników", "onlyAdminCanRemoveMembersDesc": "Tylko twórca grupy może usunąć użytkowników",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Utrzymuj w zasobniku systemowym", "startInTrayTitle": "Utrzymuj w zasobniku systemowym",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Pozostaw Session włączony w tle, nawet gdy zamkniesz okno.",
"yourUniqueSessionID": "Przywitaj się z identyfikatorem Session", "yourUniqueSessionID": "Przywitaj się z identyfikatorem Session",
"allUsersAreRandomly...": "Twój identyfikator Session to unikalny adres, za pomocą którego można się z Tobą kontaktować w Sesji. Bez połączenia z twoją prawdziwą tożsamością, identyfikator Session jest z założenia całkowicie anonimowy i prywatny.", "allUsersAreRandomly...": "Twój identyfikator Session to unikalny adres, za pomocą którego można się z Tobą kontaktować w Sesji. Bez połączenia z twoją prawdziwą tożsamością, identyfikator Session jest z założenia całkowicie anonimowy i prywatny.",
"getStarted": "Rozpocznij", "getStarted": "Rozpocznij",
@ -344,40 +348,43 @@
"linkDevice": "Połącz urządzenie", "linkDevice": "Połącz urządzenie",
"restoreUsingRecoveryPhrase": "Przywróć swoje konto", "restoreUsingRecoveryPhrase": "Przywróć swoje konto",
"or": "lub", "or": "lub",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Korzystając z tej usługi, akceptujesz nasze <a href=\"https://getsession.org/terms-of-service \">Warunki korzystania z usługi</a> i <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Politykę prywatności</a>",
"beginYourSession": "Rozpocznij swój Session.", "beginYourSession": "Rozpocznij swój Session.",
"welcomeToYourSession": "Witamy w twoim Session", "welcomeToYourSession": "Witamy w twoim Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Szukaj w konwersacjach lub kontaktach",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Szukaj kontaktów",
"enterSessionID": "Wpisz identyfikator Session", "enterSessionID": "Wpisz identyfikator Session",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Wprowadź identyfikator sesji (ID) lub ONS twojego rozmówcy",
"message": "Wiadomość", "message": "Wiadomość",
"appearanceSettingsTitle": "Wygląd", "appearanceSettingsTitle": "Wygląd",
"privacySettingsTitle": "Prywatność", "privacySettingsTitle": "Prywatność",
"notificationsSettingsTitle": "Powiadomienia", "notificationsSettingsTitle": "Powiadomienia",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Zawartość powiadomień",
"notificationPreview": "Podgląd",
"recoveryPhraseEmpty": "Wpisz swoją frazę odzyskiwania", "recoveryPhraseEmpty": "Wpisz swoją frazę odzyskiwania",
"displayNameEmpty": "Wybierz wyświetlaną nazwę", "displayNameEmpty": "Wybierz wyświetlaną nazwę",
"displayNameTooLong": "Display name is too long",
"members": "$count$ członków", "members": "$count$ członków",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Dołącz",
"createGroup": "Create Group", "joinOpenGroup": "Dołącz do społeczności",
"create": "Create", "createGroup": "Utwórz grupę",
"create": "Utwórz",
"createClosedGroupNamePrompt": "Nazwa grupy", "createClosedGroupNamePrompt": "Nazwa grupy",
"createClosedGroupPlaceholder": "Wpisz nazwę grupy", "createClosedGroupPlaceholder": "Wpisz nazwę grupy",
"openGroupURL": "Community URL", "openGroupURL": "Adres URL społeczności",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Wprowadź adres URL społeczności",
"next": "Dalej", "next": "Dalej",
"invalidGroupNameTooShort": "Wpisz nazwę grupy", "invalidGroupNameTooShort": "Wpisz nazwę grupy",
"invalidGroupNameTooLong": "Wprowadź krótszą nazwę grupy", "invalidGroupNameTooLong": "Wprowadź krótszą nazwę grupy",
"pickClosedGroupMember": "Proszę wybrać co najmniej 1 członka grupy", "pickClosedGroupMember": "Proszę wybrać co najmniej 1 członka grupy",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Grupa nie może mieć więcej niż 100 członków",
"noBlockedContacts": "Brak zablokowanych kontaktów", "noBlockedContacts": "Nie masz zablokowanych kontaktów.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Użytkownik dodany do listy moderatorów",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Użytkownik usunięty z listy moderatorów",
"orJoinOneOfThese": "Lub dołącz do jednej z tych...", "orJoinOneOfThese": "Lub dołącz do jednej z tych...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Przetłumacz Session",
"closedGroupInviteFailTitle": "Zaproszenie do grupy nieudane", "closedGroupInviteFailTitle": "Zaproszenie do grupy nieudane",
"closedGroupInviteFailTitlePlural": "Zaproszenia do grupy nieudane", "closedGroupInviteFailTitlePlural": "Zaproszenia do grupy nieudane",
"closedGroupInviteFailMessage": "Nie można pomyślnie zaprosić członka grupy", "closedGroupInviteFailMessage": "Nie można pomyślnie zaprosić członka grupy",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Ponów zaproszenia", "closedGroupInviteOkText": "Ponów zaproszenia",
"closedGroupInviteSuccessTitlePlural": "Zaproszenia do grupy zakończone", "closedGroupInviteSuccessTitlePlural": "Zaproszenia do grupy zakończone",
"closedGroupInviteSuccessTitle": "Udało się zaprosić do grupy", "closedGroupInviteSuccessTitle": "Udało się zaprosić do grupy",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Pomyślnie zaproszono członków grupy",
"notificationForConvo": "Powiadomienia", "notificationForConvo": "Powiadomienia",
"notificationForConvo_all": "Wszystko", "notificationForConvo_all": "Wszystko",
"notificationForConvo_disabled": "Wyłączone", "notificationForConvo_disabled": "Wyłączone",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Otworzyć ten link w przeglądarce?", "linkVisitWarningTitle": "Otworzyć ten link w przeglądarce?",
"linkVisitWarningMessage": "Czy na pewno chcesz otworzyć $url$ w swojej przeglądarce?", "linkVisitWarningMessage": "Czy na pewno chcesz otworzyć $url$ w swojej przeglądarce?",
"open": "Otwórz", "open": "Otwórz",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Automatyczne odtwarzaj wiadomości audio",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Automatycznie odtwarzaj kolejne wiadomości audio.",
"clickToTrustContact": "Kliknij, aby pobrać multimedia", "clickToTrustContact": "Kliknij, aby pobrać multimedia",
"trustThisContactDialogTitle": "Zaufać $name$?", "trustThisContactDialogTitle": "Zaufać $name$?",
"trustThisContactDialogDescription": "Czy na pewno chcesz pobrać multimedia wysłane przez $name$?", "trustThisContactDialogDescription": "Czy na pewno chcesz pobrać multimedia wysłane przez $name$?",
"pinConversation": "Przypnij konwersację", "pinConversation": "Przypnij konwersację",
"unpinConversation": "Odepnij konwersację", "unpinConversation": "Odepnij konwersację",
"markUnread": "Mark Unread",
"showUserDetails": "Pokaż szczegóły użytkownika", "showUserDetails": "Pokaż szczegóły użytkownika",
"sendRecoveryPhraseTitle": "Wysyłanie frazy odzyskiwania", "sendRecoveryPhraseTitle": "Wysyłanie frazy odzyskiwania",
"sendRecoveryPhraseMessage": "Próbujesz wysłać frazę odzyskiwania, która może być użyta do uzyskania dostępu do twojego konta. Czy na pewno chcesz wysłać tę wiadomość?", "sendRecoveryPhraseMessage": "Próbujesz wysłać frazę odzyskiwania, która może być użyta do uzyskania dostępu do twojego konta. Czy na pewno chcesz wysłać tę wiadomość?",
@ -413,33 +421,36 @@
"dialogClearAllDataDeletionFailedDesc": "Dane nie zostały usunięte z nieznanego błędu. Czy chcesz usunąć dane tylko z tego urządzenia?", "dialogClearAllDataDeletionFailedDesc": "Dane nie zostały usunięte z nieznanego błędu. Czy chcesz usunąć dane tylko z tego urządzenia?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Czy chcesz usunąć dane tylko z tego urządzenia?", "dialogClearAllDataDeletionFailedTitleQuestion": "Czy chcesz usunąć dane tylko z tego urządzenia?",
"dialogClearAllDataDeletionFailedMultiple": "Dane nie zostały usunięte przez te węzły usługowe: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Dane nie zostały usunięte przez te węzły usługowe: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Czy chcesz wyczyścić tylko to urządzenie, czy usunąć też swoje dane z sieci?",
"deviceOnly": "Clear Device Only", "clearDevice": "Wyczyść dane z urządzenia",
"entireAccount": "Clear Device and Network", "tryAgain": "Spróbuj ponownie",
"areYouSureClearDevice": "Czy jesteś pewien, że chcesz usunąć dane z urządzenia?",
"deviceOnly": "Wyczyść tylko urządzenie",
"entireAccount": "Wyczyść urządzenie i sieć",
"areYouSureDeleteDeviceOnly": "Czy na pewno chcesz usunąć swoje dane tylko z tego urządzenia?", "areYouSureDeleteDeviceOnly": "Czy na pewno chcesz usunąć swoje dane tylko z tego urządzenia?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Czy na pewno chcesz usunąć swoje dane z sieci? Jeśli kontynuujesz, nie będziesz w stanie przywrócić swoich wiadomości lub kontaktów.",
"iAmSure": "Na pewno", "iAmSure": "Na pewno",
"recoveryPhraseSecureTitle": "Prawie gotowe!", "recoveryPhraseSecureTitle": "Prawie gotowe!",
"recoveryPhraseRevealMessage": "Zabezpiecz swoje konto zapisując frazę odzyskiwania. Zobacz frazę odzyskiwania, a następnie przechowuj ją bezpiecznie w celu zabezpieczenia.", "recoveryPhraseRevealMessage": "Zabezpiecz swoje konto zapisując frazę odzyskiwania. Zobacz frazę odzyskiwania, a następnie przechowuj ją bezpiecznie w celu zabezpieczenia.",
"recoveryPhraseRevealButtonText": "Pokaż frazę odzyskiwania", "recoveryPhraseRevealButtonText": "Pokaż frazę odzyskiwania",
"notificationSubtitle": "Powiadomienia - $setting$", "notificationSubtitle": "Powiadomienia - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Chcielibyśmy poznać Twoją opinię",
"faq": "FAQ", "faq": "FAQ",
"support": "Support", "support": "Pomoc",
"clearAll": "Wyczyść wszystko", "clearAll": "Wyczyść wszystko",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Wyczyść dane",
"messageRequests": "Żądania wiadomości", "messageRequests": "Żądania wiadomości",
"requestsSubtitle": "Oczekujące Prośby", "requestsSubtitle": "Oczekujące Prośby",
"requestsPlaceholder": "Brak zapytań", "requestsPlaceholder": "Brak zapytań",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "hideRequestBannerDescription": "Ukryj informację o żądaniach wiadomości, dopóki nie otrzymasz nowego żądania wiadomości.",
"incomingCallFrom": "Połączenie przychodzące od '$name$'", "incomingCallFrom": "Połączenie przychodzące od '$name$'",
"ringing": "Dzwonienie...", "ringing": "Dzwonienie...",
"establishingConnection": "Nawiązywanie połączenia...", "establishingConnection": "Nawiązywanie połączenia...",
"accept": "Akceptuj", "accept": "Akceptuj",
"decline": "Odrzuć", "decline": "Odrzuć",
"endCall": "Zakończ rozmowę", "endCall": "Zakończ rozmowę",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Uprawnienia",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Pomoc",
"cameraPermissionNeededTitle": "Wymagane uprawnienia do połączeń głosowych/wideo", "cameraPermissionNeededTitle": "Wymagane uprawnienia do połączeń głosowych/wideo",
"cameraPermissionNeeded": "Możesz włączyć uprawnienie 'Połączenia głosowe i wideo' w Ustawieniach Prywatności.", "cameraPermissionNeeded": "Możesz włączyć uprawnienie 'Połączenia głosowe i wideo' w Ustawieniach Prywatności.",
"unableToCall": "Najpierw anuluj bieżące połączenie", "unableToCall": "Najpierw anuluj bieżące połączenie",
@ -449,44 +460,49 @@
"noCameraFound": "Nie znaleziono kamery", "noCameraFound": "Nie znaleziono kamery",
"noAudioInputFound": "Nie znaleziono wejścia dźwięku", "noAudioInputFound": "Nie znaleziono wejścia dźwięku",
"noAudioOutputFound": "Nie znaleziono wyjścia dźwięku", "noAudioOutputFound": "Nie znaleziono wyjścia dźwięku",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Połączenia głosowe i wideo (beta)",
"callMissedCausePermission": "Połączenie nieodebrane od '$name$' ponieważ musisz włączyć uprawnienie 'Połączenia głosowe i wideo' w Ustawieniach Prywatności.", "callMissedCausePermission": "Połączenie nieodebrane od '$name$' ponieważ musisz włączyć uprawnienie 'Połączenia głosowe i wideo' w Ustawieniach Prywatności.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Połączenie nieodebrane od '$name$' ponieważ nie zatwierdziłeś/aś jeszcze tej rozmowy. Najpierw wyślij wiadomość do tego kontaktu.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Włącza połączenia głosowe i wideo do i od innych użytkowników.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Twój adres IP jest widoczny dla partnera połączenia i serwera fundacji Oxen podczas korzystania z połączeń beta. Czy na pewno chcesz włączyć połączenia głosowe i wideo?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Połączenia głosowe i wideo (beta)",
"startedACall": "Zadzwoniłeś/aś do $name$", "startedACall": "Zadzwoniłeś/aś do $name$",
"answeredACall": "Połączenie z $name$", "answeredACall": "Połączenie z $name$",
"trimDatabase": "Przytnij bazę danych", "trimDatabase": "Przytnij bazę danych",
"trimDatabaseDescription": "Zmniejsza rozmiar bazy danych do 10 000 ostatnich wiadomości.", "trimDatabaseDescription": "Zmniejsza rozmiar bazy danych do 10 000 ostatnich wiadomości.",
"trimDatabaseConfirmationBody": "Czy na pewno chcesz usunąć najstarsze $deleteAmount$ otrzymane wiadomości?", "trimDatabaseConfirmationBody": "Czy na pewno chcesz usunąć najstarsze $deleteAmount$ otrzymane wiadomości?",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...", "pleaseWaitOpenAndOptimizeDb": "Proszę czekać, Twoja baza danych jest otwierana i optymalizowana...",
"messageRequestPending": "Your message request is currently pending", "messageRequestPending": "Twoje żądanie wiadomości czeka na akceptację",
"messageRequestAccepted": "Your message request has been accepted", "messageRequestAccepted": "Twoje żądanie wiadomości zostało zaakceptowane",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request", "messageRequestAcceptedOurs": "Zaakceptowałeś żądanie wiadomości od $name$",
"messageRequestAcceptedOursNoName": "You have accepted the message request", "messageRequestAcceptedOursNoName": "Zaakceptowałeś żądanie wiadomości",
"declineRequestMessage": "Are you sure you want to decline this message request?", "declineRequestMessage": "Czy na pewno chcesz odrzucić to żądanie wiadomości?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "respondingToRequestWarning": "Wysłanie wiadomości do tego użytkownika spowoduje automatyczne zaakceptowanie jego żądania wiadomości i ujawnienie Twojego identyfikatora Session.",
"hideRequestBanner": "Hide Message Request Banner", "hideRequestBanner": "Ukryj baner żądania wiadomości",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Żądania wiadomości",
"noMessageRequestsPending": "No pending message requests", "noMessageRequestsPending": "Brak oczekujących żądań wiadomości",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved", "noMediaUntilApproved": "Nie możesz wysyłać załączników, dopóki konwersacja nie zostanie zatwierdzona",
"mustBeApproved": "This conversation must be accepted to use this feature", "mustBeApproved": "Ta konwersacja musi być zaakceptowana, aby użyć tej funkcji",
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "Masz nowe zaproszenie do znajomych",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Wyczyść wszystkie żądania wiadomości",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Czy na pewno chcesz wyczyścić wszystkie żądania wiadomości?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Ukryj", "hideBanner": "Ukryj",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Wyświetl prośby o kontakt", "openMessageRequestInboxDescription": "Wyświetl prośby o kontakt",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Czy na pewno chcesz wyczyścić wszystkie $emoji$?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Pokaż mniej",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reaguje na wiadomość $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Zwolnij! Wysłałeś zbyt wiele reakcji emotek. Spróbuj ponownie wkrótce",
"otherPlural": "$number$ others", "otherSingular": "$number$ inny",
"reactionPopup": "reacted with", "otherPlural": "$number$ innych",
"reactionPopup": "zareagował",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ i $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ i $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ i",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "$otherSingular$ zareagował <span>$emoji$</span> na tę wiadomość",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "$otherPlural$ zareagowali <span>$emoji$</span> na tę wiadomość"
} }

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Tela inteira", "viewMenuToggleFullScreen": "Tela inteira",
"viewMenuToggleDevTools": "Ferramentas de desenvolvimento", "viewMenuToggleDevTools": "Ferramentas de desenvolvimento",
"contextMenuNoSuggestions": "Sem Sugestões", "contextMenuNoSuggestions": "Sem Sugestões",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Convite da comunidade",
"joinOpenGroupAfterInvitationConfirmationTitle": "Entrar em $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Entrar em $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Você tem certeza que deseja entrar na comunidade $roomName$?",
"couldntFindServerMatching": "Não foi possível localizar o servidor público correspondente", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Insira seu ID Session ou ONS", "enterSessionIDOrONSName": "Insira seu ID Session ou ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Inicie uma nova conversa inserindo o ID Session de alguém ou compartilhando o seu ID Session com alguém.",
"loading": "Carregando...", "loading": "Carregando...",
"done": "Concluído", "done": "Concluído",
"youLeftTheGroup": "Você saiu do grupo.", "youLeftTheGroup": "Você saiu do grupo.",
"youGotKickedFromGroup": "Você foi removida(o) do grupo.", "youGotKickedFromGroup": "Você foi removida(o) do grupo.",
"unreadMessages": "Mensagens não lidas", "unreadMessages": "Mensagens não lidas",
"debugLogExplanation": "Este registro será salvo na sua área de trabalho.", "debugLogExplanation": "Este registro será salvo na sua área de trabalho.",
"reportIssue": "Report a Bug", "reportIssue": "Reportar um erro",
"markAllAsRead": "Marcar todas como lidas", "markAllAsRead": "Marcar todas como lidas",
"incomingError": "Erro ao receber mensagem", "incomingError": "Erro ao receber mensagem",
"media": "Mídia", "media": "Mídia",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Desculpe, ocorreu um erro ao anexar o documento.", "unableToLoadAttachment": "Desculpe, ocorreu um erro ao anexar o documento.",
"offline": "Off-line", "offline": "Off-line",
"debugLog": "Registro de depuração ", "debugLog": "Registro de depuração ",
"showDebugLog": "Export Logs", "showDebugLog": "Exportar Registros",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exporte seus logs, e envie o arquivo através do Help Desk do Session.",
"goToReleaseNotes": "Ir para Notas de Lançamento", "goToReleaseNotes": "Ir para Notas de Lançamento",
"goToSupportPage": "Ir para Página de Suporte", "goToSupportPage": "Ir para Página de Suporte",
"about": "Sobre", "about": "Sobre",
@ -72,7 +72,7 @@
"noSearchResults": "Nenhum resultado encontrado para \"$searchTerm$\"", "noSearchResults": "Nenhum resultado encontrado para \"$searchTerm$\"",
"conversationsHeader": "Contatos e Grupos", "conversationsHeader": "Contatos e Grupos",
"contactsHeader": "Contatos", "contactsHeader": "Contatos",
"messagesHeader": "Mensagens", "messagesHeader": "Conversations",
"settingsHeader": "Configurações", "settingsHeader": "Configurações",
"typingAlt": "Animação de digitação para esta conversa", "typingAlt": "Animação de digitação para esta conversa",
"contactAvatarAlt": "Avatar de $name$", "contactAvatarAlt": "Avatar de $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Excluir $count$ mensagens?", "deleteMessagesQuestion": "Excluir $count$ mensagens?",
"deleteMessageQuestion": "Excluir esta mensagem?", "deleteMessageQuestion": "Excluir esta mensagem?",
"deleteMessages": "Apagar mensagens", "deleteMessages": "Apagar mensagens",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ excluídos", "deleted": "$count$ excluídos",
"messageDeletedPlaceholder": "Esta mensagem foi excluída", "messageDeletedPlaceholder": "Esta mensagem foi excluída",
"from": "De:", "from": "De:",
@ -107,17 +108,18 @@
"sent": "Enviada", "sent": "Enviada",
"received": "Recebida", "received": "Recebida",
"sendMessage": "Enviar uma mensagem", "sendMessage": "Enviar uma mensagem",
"groupMembers": "Membros do grupo", "groupMembers": "Membros",
"moreInformation": "Mais informações", "moreInformation": "Mais informações",
"resend": "Reenviar", "resend": "Reenviar",
"deleteConversationConfirmation": "Você deseja apagar esta conversa definitivamente?", "deleteConversationConfirmation": "Você deseja apagar esta conversa definitivamente?",
"clear": "Clear", "clear": "Limpar",
"clearAllData": "Limpar todos os dados", "clearAllData": "Limpar todos os dados",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Isso irá excluir permanentemente suas mensagens e contatos.",
"deleteAccountFromLogin": "Tem certeza que deseja limpar seu dispositivo?",
"deleteContactConfirmation": "Tem certeza de que deseja excluir esta conversa?", "deleteContactConfirmation": "Tem certeza de que deseja excluir esta conversa?",
"quoteThumbnailAlt": "Miniatura da imagem na citação", "quoteThumbnailAlt": "Miniatura da imagem na citação",
"imageAttachmentAlt": "Imagem anexa à mensagem", "imageAttachmentAlt": "Imagem anexa à mensagem",
"videoAttachmentAlt": "Frame do vídeo anexo à mensagem", "videoAttachmentAlt": "Captura de tela do vídeo na mensagem",
"lightboxImageAlt": "Imagem enviada na conversa", "lightboxImageAlt": "Imagem enviada na conversa",
"imageCaptionIconAlt": "Ícone mostrando que esta imagem possui uma legenda", "imageCaptionIconAlt": "Ícone mostrando que esta imagem possui uma legenda",
"addACaption": "Adicionar legenda...", "addACaption": "Adicionar legenda...",
@ -129,44 +131,44 @@
"tookAScreenshot": "$name$ fez uma captura de tela", "tookAScreenshot": "$name$ fez uma captura de tela",
"savedTheFile": "Mídia salva por $name$", "savedTheFile": "Mídia salva por $name$",
"linkPreviewsTitle": "Enviar Pré-Visualizações De Links", "linkPreviewsTitle": "Enviar Pré-Visualizações De Links",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Gerar pré-visualizações de links para URLs suportadas.",
"linkPreviewsConfirmMessage": "Você não terá proteção completa de metadados ao enviar pré-visualizações de links.", "linkPreviewsConfirmMessage": "Você não terá proteção completa de metadados ao enviar pré-visualizações de links.",
"mediaPermissionsTitle": "Microfone", "mediaPermissionsTitle": "Microfone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Permita acesso ao microfone.",
"spellCheckTitle": "Corretor ortográfico", "spellCheckTitle": "Corretor ortográfico",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Habilitar verificação ortográfica ao digitar mensagens.",
"spellCheckDirty": "Você precisa reiniciar o Session para aplicar as novas configurações", "spellCheckDirty": "Você precisa reiniciar o Session para aplicar as novas configurações",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Enviar confirmações de leitura em conversas individuais.",
"readReceiptSettingTitle": "Confirmações De Leitura", "readReceiptSettingTitle": "Confirmações De Leitura",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Veja e compartilhe indicadores de digitação em conversas individuais.",
"typingIndicatorsSettingTitle": "Indicadores De Digitação", "typingIndicatorsSettingTitle": "Indicadores De Digitação",
"zoomFactorSettingTitle": "Fator de zoom", "zoomFactorSettingTitle": "Fator de zoom",
"themesSettingTitle": "Themes", "themesSettingTitle": "Temas",
"primaryColor": "Primary Color", "primaryColor": "Cor Principal",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Cor principal verde",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Cor primária azul",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Cor principal amarela",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Cor principal rosa",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Cor principal roxa",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Cor principal laranja",
"primaryColorRed": "Primary color red", "primaryColorRed": "Cor principal vermelha",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Clássico Escuro",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Clássico Claro",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Oceano Escuro",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Oceano Claro",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Cortar Comunidades",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Exclua mensagens com mais de 6 meses de Comunidades que possuam mais de 2.000 mensagens.",
"enable": "Habilitar", "enable": "Habilitar",
"keepDisabled": "Manter desativado", "keepDisabled": "Manter desativado",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "As informações exibidas nas notificações.",
"nameAndMessage": "Nome da pessoa remetente e mensagem", "nameAndMessage": "Nome e conteúdo",
"noNameOrMessage": "Nem nome nem mensagem", "noNameOrMessage": "Nem nome nem mensagem",
"nameOnly": "Apenas o nome da pessoa remetente", "nameOnly": "Apenas o nome da pessoa remetente",
"newMessage": "Nova mensagem", "newMessage": "Nova mensagem",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Criar uma conversa com um novo contato",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Criar um grupo com contatos existentes",
"joinACommunity": "Join a community", "joinACommunity": "Juntar-se a uma comunidade",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Escolha uma ação para iniciar uma conversa",
"newMessages": "Novas mensagens", "newMessages": "Novas mensagens",
"notificationMostRecentFrom": "Mais recente de: $name$", "notificationMostRecentFrom": "Mais recente de: $name$",
"notificationFrom": "De:", "notificationFrom": "De:",
@ -174,7 +176,7 @@
"sendFailed": "Envio Falhou", "sendFailed": "Envio Falhou",
"mediaMessage": "MMS", "mediaMessage": "MMS",
"messageBodyMissing": "Por favor, insira o corpo da mensagem.", "messageBodyMissing": "Por favor, insira o corpo da mensagem.",
"messageBody": "Message body", "messageBody": "Corpo da mensagem",
"unblockToSend": "Desbloquear este contato para enviar uma mensagem.", "unblockToSend": "Desbloquear este contato para enviar uma mensagem.",
"unblockGroupToSend": "Desbloquear este grupo para enviar uma mensagem.", "unblockGroupToSend": "Desbloquear este grupo para enviar uma mensagem.",
"youChangedTheTimer": "Você definiu o tempo de duração das mensagens efêmeras como $time$.", "youChangedTheTimer": "Você definiu o tempo de duração das mensagens efêmeras como $time$.",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 horas", "timerOption_12_hours": "12 horas",
"timerOption_1_day": "1 dia", "timerOption_1_day": "1 dia",
"timerOption_1_week": "1 semana", "timerOption_1_week": "1 semana",
"timerOption_2_weeks": "2 semanas",
"disappearingMessages": "Mensagens efêmeras", "disappearingMessages": "Mensagens efêmeras",
"changeNickname": "Mudar Apelido", "changeNickname": "Mudar Apelido",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1 dia", "timerOption_1_day_abbreviated": "1 dia",
"timerOption_1_week_abbreviated": "1 semana", "timerOption_1_week_abbreviated": "1 semana",
"timerOption_2_weeks_abbreviated": "2 sem",
"disappearingMessagesDisabled": "Mensagens efêmeras desabilitadas", "disappearingMessagesDisabled": "Mensagens efêmeras desabilitadas",
"disabledDisappearingMessages": "$name$ desabilitou as mensagens efêmeras.", "disabledDisappearingMessages": "$name$ desativou o desaparecimento de mensagens.",
"youDisabledDisappearingMessages": "Você desabilitou as mensagens efêmeras.", "youDisabledDisappearingMessages": "Você desabilitou as mensagens efêmeras.",
"timerSetTo": "Expiração da mensagem efêmera definida para $time$", "timerSetTo": "Expiração da mensagem efêmera definida para $time$",
"noteToSelf": "Recado pra mim", "noteToSelf": "Recado pra mim",
"hideMenuBarTitle": "Ocultar Barra de Menu", "hideMenuBarTitle": "Ocultar Barra de Menu",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Alternar visibilidade da barra de menu do sistema.",
"startConversation": "Iniciar uma conversa…", "startConversation": "Iniciar uma conversa…",
"invalidNumberError": "Número inválido", "invalidNumberError": "Por favor, verifique o ID da Sessão ou nome ONS e tente novamente",
"failedResolveOns": "Falha ao resolver o nome ONS", "failedResolveOns": "Falha ao resolver o nome ONS",
"autoUpdateSettingTitle": "Atualização Automática", "autoUpdateSettingTitle": "Atualização Automática",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Verificar atualizações automaticamente ao iniciar.",
"autoUpdateNewVersionTitle": "Atualização do Session disponível", "autoUpdateNewVersionTitle": "Atualização do Session disponível",
"autoUpdateNewVersionMessage": "Uma nova versão do Session está disponível.", "autoUpdateNewVersionMessage": "Uma nova versão do Session está disponível.",
"autoUpdateNewVersionInstructions": "Por favor, toque em 'reiniciar Session' para aplicar as atualizações.", "autoUpdateNewVersionInstructions": "Por favor, toque em 'reiniciar Session' para aplicar as atualizações.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$ entraram no grupo.", "multipleJoinedTheGroup": "$name$ entraram no grupo.",
"kickedFromTheGroup": "$name$ foi removido(a) do grupo.", "kickedFromTheGroup": "$name$ foi removido(a) do grupo.",
"multipleKickedFromTheGroup": "$name$ foram removidos(as) do grupo.", "multipleKickedFromTheGroup": "$name$ foram removidos(as) do grupo.",
"blockUser": "Bloquear", "block": "Block",
"unblockUser": "Desbloquear", "unblock": "Unblock",
"unblocked": "Desbloqueado", "unblocked": "Desbloqueado",
"blocked": "Bloqueado", "blocked": "Bloqueado",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Contatos Bloqueados",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Conversas",
"unbanUser": "Desbanir Usuário", "unbanUser": "Desbanir Usuário",
"userUnbanned": "Usuário desbanido com sucesso", "userUnbanned": "Usuário desbanido com sucesso",
"userUnbanFailed": "Desbanimento falhou!", "userUnbanFailed": "Desbanimento falhou!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Banimento falhou!", "userBanFailed": "Banimento falhou!",
"leaveGroup": "Sair Do Grupo", "leaveGroup": "Sair Do Grupo",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Sair do Grupo e Remover para Todos",
"leaveGroupConfirmation": "Tem certeza de que deseja sair deste grupo?", "leaveGroupConfirmation": "Tem certeza de que deseja sair deste grupo?",
"leaveGroupConfirmationAdmin": "Como você é o administrador deste grupo, se você sair será removido para todos os membros atuais. Tem certeza de que deseja sair desse grupo?", "leaveGroupConfirmationAdmin": "Como você é o administrador deste grupo, se você sair será removido para todos os membros atuais. Tem certeza de que deseja sair desse grupo?",
"cannotRemoveCreatorFromGroup": "Não é possível remover esse usuário", "cannotRemoveCreatorFromGroup": "Não é possível remover esse usuário",
"cannotRemoveCreatorFromGroupDesc": "Você não pode remover esse usuário já que ele é o criador do grupo.", "cannotRemoveCreatorFromGroupDesc": "Você não pode remover esse usuário já que ele é o criador do grupo.",
"noContactsForGroup": "Você ainda não possui contatos", "noContactsForGroup": "Você ainda não possui contatos",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Falha ao adicionar usuário como administrador",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Falha ao remover usuário da lista de admin",
"copyMessage": "Copiar texto da mensagem", "copyMessage": "Copiar texto da mensagem",
"selectMessage": "Selecionar mensagem", "selectMessage": "Selecionar mensagem",
"editGroup": "Editar grupo", "editGroup": "Editar grupo",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "Atualizando $name$...", "updateGroupDialogTitle": "Atualizando $name$...",
"showRecoveryPhrase": "Frase de recuperação", "showRecoveryPhrase": "Frase de recuperação",
"yourSessionID": "Seu ID Session", "yourSessionID": "Seu ID Session",
"setAccountPasswordTitle": "Definir senha da conta", "setAccountPasswordTitle": "Senha",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Exigir senha para desbloquear o Session.",
"changeAccountPasswordTitle": "Alterar Senha da Conta", "changeAccountPasswordTitle": "Alterar Senha",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Altere a senha necessária para desbloquear o Session.",
"removeAccountPasswordTitle": "Remover Senha da Conta", "removeAccountPasswordTitle": "Remover Senha",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remova a senha requerida para desbloquear o Session.",
"enterPassword": "Por favor, digite sua senha", "enterPassword": "Por favor, digite sua senha",
"confirmPassword": "Confirmar senha", "confirmPassword": "Confirmar senha",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Por favor, digite a sua nova senha",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Confirmar nova senha",
"showRecoveryPhrasePasswordRequest": "Por favor, digite sua senha", "showRecoveryPhrasePasswordRequest": "Por favor, digite sua senha",
"recoveryPhraseSavePromptMain": "Sua frase de recuperação é a chave mestra do seu ID Session - você pode usá-la para restaurar seu ID Session se perder o acesso ao seu dispositivo. Armazene sua frase de recuperação em um local seguro e não a entregue a ninguém.", "recoveryPhraseSavePromptMain": "Sua frase de recuperação é a chave mestra do seu ID Session - você pode usá-la para restaurar seu ID Session se perder o acesso ao seu dispositivo. Armazene sua frase de recuperação em um local seguro e não a entregue a ninguém.",
"invalidOpenGroupUrl": "URL inválido", "invalidOpenGroupUrl": "URL inválido",
"copiedToClipboard": "Copiado para a área de transferência", "copiedToClipboard": "Copiado",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Inserir Senha",
"password": "Senha", "password": "Senha",
"setPassword": "Configurar Senha", "setPassword": "Configurar Senha",
"changePassword": "Alterar Senha", "changePassword": "Alterar Senha",
"createPassword": "Create your password", "createPassword": "Crie a sua senha",
"removePassword": "Remover Senha", "removePassword": "Remover Senha",
"maxPasswordAttempts": "Senha Inválida. Gostaria de redefinir a base de dados?", "maxPasswordAttempts": "Senha Inválida. Gostaria de redefinir a base de dados?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Por favor, insira sua senha atual",
"invalidOldPassword": "Senha antiga inválida", "invalidOldPassword": "Senha antiga inválida",
"invalidPassword": "Senha inválida", "invalidPassword": "Senha inválida",
"noGivenPassword": "Por favor, digite sua senha", "noGivenPassword": "Por favor, digite sua senha",
@ -295,16 +299,16 @@
"setPasswordInvalid": "As senhas não coincidem", "setPasswordInvalid": "As senhas não coincidem",
"changePasswordInvalid": "A senha antiga que você digitou está incorreta", "changePasswordInvalid": "A senha antiga que você digitou está incorreta",
"removePasswordInvalid": "Senha incorreta", "removePasswordInvalid": "Senha incorreta",
"setPasswordTitle": "Configurar senha", "setPasswordTitle": "Definir senha",
"changePasswordTitle": "Senha Alterada", "changePasswordTitle": "Senha alterada",
"removePasswordTitle": "Senha Removida", "removePasswordTitle": "Senha Removida",
"setPasswordToastDescription": "Sua senha foi definida. Por favor, mantenha-a segura.", "setPasswordToastDescription": "Sua senha foi definida. Por favor, mantenha-a segura.",
"changePasswordToastDescription": "Sua senha foi alterada. Por favor, mantenha-a segura.", "changePasswordToastDescription": "Sua senha foi alterada. Por favor, mantenha-a segura.",
"removePasswordToastDescription": "Você removeu sua senha.", "removePasswordToastDescription": "Sua senha foi removida.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Você já está conectado a esta comunidade",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Não foi possível participar da comunidade",
"connectingToServer": "Conectando...", "connectingToServer": "Conectando...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Conectado à comunidade com sucesso",
"setPasswordFail": "Falha ao definir a senha", "setPasswordFail": "Falha ao definir a senha",
"passwordLengthError": "A senha deve ter entre 6 e 64 caracteres", "passwordLengthError": "A senha deve ter entre 6 e 64 caracteres",
"passwordTypeError": "A senha deve ser uma string", "passwordTypeError": "A senha deve ser uma string",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Perfil", "editProfileModalTitle": "Perfil",
"groupNamePlaceholder": "Nome Do Grupo", "groupNamePlaceholder": "Nome Do Grupo",
"inviteContacts": "Convidar Amigos", "inviteContacts": "Convidar Amigos",
"addModerators": "Add Admins", "addModerators": "Adicionar Administradores",
"removeModerators": "Remove Admins", "removeModerators": "Remover Administradores",
"addAsModerator": "Add as Admin", "addAsModerator": "Adicionar como Administrador",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Remover dos Administradores",
"add": "Adicionar", "add": "Adicionar",
"addingContacts": "Adicionando contatos a", "addingContacts": "Adicionando contatos a",
"noContactsToAdd": "Nenhum contato para adicionar", "noContactsToAdd": "Nenhum contato para adicionar",
"noMembersInThisGroup": "Nenhum outro membro neste grupo", "noMembersInThisGroup": "Nenhum outro membro neste grupo",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "nenhum administrador para remover",
"onlyAdminCanRemoveMembers": "Você não é o criador", "onlyAdminCanRemoveMembers": "Você não é o criador",
"onlyAdminCanRemoveMembersDesc": "Somente o criador do grupo pode remover usuários", "onlyAdminCanRemoveMembersDesc": "Somente o criador do grupo pode remover usuários",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Manter na Bandeja do Sistema", "startInTrayTitle": "Manter na Bandeja do Sistema",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Manter o Session rodando em segundo plano quando você fechar a janela.",
"yourUniqueSessionID": "Diga olá ao seu ID Session", "yourUniqueSessionID": "Diga olá ao seu ID Session",
"allUsersAreRandomly...": "Seu ID Session é o endereço exclusivo que as pessoas podem usar para entrar em contato com você no Session. Sem conexão com sua identidade real, seu ID Session é totalmente anônimo e privado por definição.", "allUsersAreRandomly...": "Seu ID Session é o endereço exclusivo que as pessoas podem usar para entrar em contato com você no Session. Sem conexão com sua identidade real, seu ID Session é totalmente anônimo e privado por definição.",
"getStarted": "Começar", "getStarted": "Começar",
@ -344,40 +348,43 @@
"linkDevice": "Sincronize dispositivo", "linkDevice": "Sincronize dispositivo",
"restoreUsingRecoveryPhrase": "Restaurar sua conta", "restoreUsingRecoveryPhrase": "Restaurar sua conta",
"or": "ou", "or": "ou",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Ao usar este serviço, você concorda com nossos <a href=\"https://getsession.org/terms-of-service \">Termos de Serviço</a> e <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Política de Privacidade</a>",
"beginYourSession": "Inicie seu Session.", "beginYourSession": "Inicie seu Session.",
"welcomeToYourSession": "Bem-vindo(a) ao seu Session", "welcomeToYourSession": "Bem-vindo(a) ao seu Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Pesquisar conversas e contatos",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Procurar por contatos",
"enterSessionID": "Digite o ID Session", "enterSessionID": "Digite o ID Session",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Digite o ID de sessão do contato ou ONS",
"message": "Mensagem", "message": "Mensagem",
"appearanceSettingsTitle": "Aparência", "appearanceSettingsTitle": "Aparência",
"privacySettingsTitle": "Privacidade", "privacySettingsTitle": "Privacidade",
"notificationsSettingsTitle": "Notificações", "notificationsSettingsTitle": "Notificações",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Conteúdo de Notificação",
"notificationPreview": "Pré-visualizar",
"recoveryPhraseEmpty": "Digite sua frase de recuperação", "recoveryPhraseEmpty": "Digite sua frase de recuperação",
"displayNameEmpty": "Escolha um nome de exibição", "displayNameEmpty": "Escolha um nome de exibição",
"displayNameTooLong": "Display name is too long",
"members": "$count$ membros", "members": "$count$ membros",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Entrar",
"createGroup": "Create Group", "joinOpenGroup": "Entrar na Comunidade",
"create": "Create", "createGroup": "Criar Grupo",
"create": "Criar",
"createClosedGroupNamePrompt": "Nome Do Grupo", "createClosedGroupNamePrompt": "Nome Do Grupo",
"createClosedGroupPlaceholder": "Digite o nome do grupo", "createClosedGroupPlaceholder": "Digite o nome do grupo",
"openGroupURL": "Community URL", "openGroupURL": "URL da comunidade",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Insira URL da Comunidade",
"next": "Avançar", "next": "Avançar",
"invalidGroupNameTooShort": "Digite um nome de grupo", "invalidGroupNameTooShort": "Digite um nome de grupo",
"invalidGroupNameTooLong": "Digite um nome de grupo mais curto", "invalidGroupNameTooLong": "Digite um nome de grupo mais curto",
"pickClosedGroupMember": "Escolha pelo menos 2 membros do grupo", "pickClosedGroupMember": "Escolha pelo menos 2 membros do grupo",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Um grupo não pode ter mais de 100 membros",
"noBlockedContacts": "Sem contatos bloqueados", "noBlockedContacts": "Você não possui contatos bloqueados.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Usuário adicionado à lista de administradores",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Usuário removido da lista de administradores",
"orJoinOneOfThese": "Ou junte-se a um desses...", "orJoinOneOfThese": "Ou junte-se a um desses...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Traduzir o Session",
"closedGroupInviteFailTitle": "Convite do grupo falhou", "closedGroupInviteFailTitle": "Convite do grupo falhou",
"closedGroupInviteFailTitlePlural": "Convites do grupo falharam", "closedGroupInviteFailTitlePlural": "Convites do grupo falharam",
"closedGroupInviteFailMessage": "Não foi possível convidar um membro de grupo", "closedGroupInviteFailMessage": "Não foi possível convidar um membro de grupo",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Tentar convidar novamente", "closedGroupInviteOkText": "Tentar convidar novamente",
"closedGroupInviteSuccessTitlePlural": "Convites de Grupo Concluídos", "closedGroupInviteSuccessTitlePlural": "Convites de Grupo Concluídos",
"closedGroupInviteSuccessTitle": "Convite de Grupo Bem-Sucedido", "closedGroupInviteSuccessTitle": "Convite de Grupo Bem-Sucedido",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Membros do grupo convidados com sucesso",
"notificationForConvo": "Notificações", "notificationForConvo": "Notificações",
"notificationForConvo_all": "Todos", "notificationForConvo_all": "Todos",
"notificationForConvo_disabled": "Desabilitado", "notificationForConvo_disabled": "Desabilitado",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Abrir este link no seu navegador?", "linkVisitWarningTitle": "Abrir este link no seu navegador?",
"linkVisitWarningMessage": "Tem certeza de que deseja abrir $url$ no seu navegador?", "linkVisitWarningMessage": "Tem certeza de que deseja abrir $url$ no seu navegador?",
"open": "Abrir", "open": "Abrir",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Reproduzir mensagens de áudio automaticamente",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Reproduzir automaticamente mensagens de áudio consecutivas.",
"clickToTrustContact": "Clique para baixar a mídia", "clickToTrustContact": "Clique para baixar a mídia",
"trustThisContactDialogTitle": "Confiar em $name$?", "trustThisContactDialogTitle": "Confiar em $name$?",
"trustThisContactDialogDescription": "Tem certeza de que deseja baixar a mídia enviada por $name$?", "trustThisContactDialogDescription": "Tem certeza de que deseja baixar a mídia enviada por $name$?",
"pinConversation": "Fixar conversa", "pinConversation": "Fixar conversa",
"unpinConversation": "Desafixar conversa", "unpinConversation": "Desafixar conversa",
"markUnread": "Mark Unread",
"showUserDetails": "Mostrar Detalhes do Usuário", "showUserDetails": "Mostrar Detalhes do Usuário",
"sendRecoveryPhraseTitle": "Enviando frase de recuperação", "sendRecoveryPhraseTitle": "Enviando frase de recuperação",
"sendRecoveryPhraseMessage": "Você está tentando enviar a sua frase de recuperação que pode ser usada para acessar a sua conta. Tem certeza de que deseja enviar esta mensagem?", "sendRecoveryPhraseMessage": "Você está tentando enviar a sua frase de recuperação que pode ser usada para acessar a sua conta. Tem certeza de que deseja enviar esta mensagem?",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "Dados não excluídos com um erro desconhecido. Você deseja excluir apenas os dados deste dispositivo?", "dialogClearAllDataDeletionFailedDesc": "Dados não excluídos com um erro desconhecido. Você deseja excluir apenas os dados deste dispositivo?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Você gostaria de excluir os dados apenas deste dispositivo?", "dialogClearAllDataDeletionFailedTitleQuestion": "Você gostaria de excluir os dados apenas deste dispositivo?",
"dialogClearAllDataDeletionFailedMultiple": "Dados não excluídos por esses nós de serviço: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Dados não excluídos por esses nós de serviço: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Gostaria de limpar este dispositivo apenas, ou excluir seus dados da rede também?",
"deviceOnly": "Clear Device Only", "clearDevice": "Limpar Dispositivo",
"entireAccount": "Clear Device and Network", "tryAgain": "Tente novamente",
"areYouSureClearDevice": "Tem certeza que deseja limpar seu dispositivo?",
"deviceOnly": "Limpar Somente o Dispositivo",
"entireAccount": "Limpar o Dispositivo e a Rede",
"areYouSureDeleteDeviceOnly": "Você tem certeza que deseja excluir os dados apenas do seu dispositivo?", "areYouSureDeleteDeviceOnly": "Você tem certeza que deseja excluir os dados apenas do seu dispositivo?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Tem certeza que deseja excluir seus dados da rede? Se você continuar, não será capaz de restaurar suas mensagens ou contatos.",
"iAmSure": "Tenho certeza", "iAmSure": "Tenho certeza",
"recoveryPhraseSecureTitle": "Você está quase lá!", "recoveryPhraseSecureTitle": "Você está quase lá!",
"recoveryPhraseRevealMessage": "Proteja a sua conta salvando a sua frase de recuperação. Revele a sua frase de recuperação e então armazene-a com segurança para protegê-la.", "recoveryPhraseRevealMessage": "Proteja a sua conta salvando a sua frase de recuperação. Revele a sua frase de recuperação e então armazene-a com segurança para protegê-la.",
"recoveryPhraseRevealButtonText": "Revelar Frase de Recuperação", "recoveryPhraseRevealButtonText": "Revelar Frase de Recuperação",
"notificationSubtitle": "Notificações - $setting$", "notificationSubtitle": "Notificações - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Nós adoraríamos seu feedback",
"faq": "FAQ", "faq": "Perguntas Frequentes",
"support": "Support", "support": "Suporte",
"clearAll": "Apagar Tudo", "clearAll": "Apagar Tudo",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Limpar Dados",
"messageRequests": "Pedidos de Mensagem", "messageRequests": "Pedidos de Mensagem",
"requestsSubtitle": "Solicitações Pendentes", "requestsSubtitle": "Solicitações Pendentes",
"requestsPlaceholder": "Nenhuma solicitação", "requestsPlaceholder": "Nenhuma solicitação",
@ -438,8 +449,8 @@
"accept": "Aceitar", "accept": "Aceitar",
"decline": "Rejeitar", "decline": "Rejeitar",
"endCall": "Encerrando chamada", "endCall": "Encerrando chamada",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Permissões",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Ajuda",
"cameraPermissionNeededTitle": "Permissões necessárias para Chamada de voz/vídeo", "cameraPermissionNeededTitle": "Permissões necessárias para Chamada de voz/vídeo",
"cameraPermissionNeeded": "Você pode habilitar a permissão de 'Voz e vídeo' nas Configurações de Privacidade.", "cameraPermissionNeeded": "Você pode habilitar a permissão de 'Voz e vídeo' nas Configurações de Privacidade.",
"unableToCall": "Primeiro desligue sua chamada atual", "unableToCall": "Primeiro desligue sua chamada atual",
@ -449,12 +460,12 @@
"noCameraFound": "Nenhuma câmera encontrada", "noCameraFound": "Nenhuma câmera encontrada",
"noAudioInputFound": "Nenhuma entrada de áudio encontrada", "noAudioInputFound": "Nenhuma entrada de áudio encontrada",
"noAudioOutputFound": "Nenhuma saída de áudio encontrada", "noAudioOutputFound": "Nenhuma saída de áudio encontrada",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Chamadas de voz e vídeo (Beta)",
"callMissedCausePermission": "Chamada perdida de '$name$' porque você precisa habilitar a permissão 'Voz e vídeo' nas Configurações de Privacidade.", "callMissedCausePermission": "Chamada perdida de '$name$' porque você precisa habilitar a permissão 'Voz e vídeo' nas Configurações de Privacidade.",
"callMissedNotApproved": "Chamada perdida de '$name$' porque você ainda não aprovou esta conversa. Envie uma mensagem primeiro.", "callMissedNotApproved": "Chamada perdida de '$name$' porque você ainda não aprovou esta conversa. Envie uma mensagem primeiro.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Permite chamadas de voz e vídeo para e de outros usuários.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Seu endereço IP é visível ao seu parceiro de chamadas e a um servidor da Fundação Oxen durante o uso de chamadas beta. Tem certeza de que deseja ativar chamadas de voz e vídeo?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Chamadas de voz e vídeo (Beta)",
"startedACall": "Você ligou para $name$", "startedACall": "Você ligou para $name$",
"answeredACall": "Chamar com $name$", "answeredACall": "Chamar com $name$",
"trimDatabase": "Cortar banco de dados", "trimDatabase": "Cortar banco de dados",
@ -468,25 +479,30 @@
"declineRequestMessage": "Tem certeza que deseja recusar este pedido de mensagem?", "declineRequestMessage": "Tem certeza que deseja recusar este pedido de mensagem?",
"respondingToRequestWarning": "Enviar uma mensagem para este usuário automaticamente aceitará seu pedido de mensagem e revelará o seu ID de sessão.", "respondingToRequestWarning": "Enviar uma mensagem para este usuário automaticamente aceitará seu pedido de mensagem e revelará o seu ID de sessão.",
"hideRequestBanner": "Ocultar Banner de requisição de mensagem", "hideRequestBanner": "Ocultar Banner de requisição de mensagem",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Pedidos de mensagem",
"noMessageRequestsPending": "Nenhuma solicitação de mensagem pendente", "noMessageRequestsPending": "Nenhuma solicitação de mensagem pendente",
"noMediaUntilApproved": "Você não pode enviar anexos até que a conversa seja aprovada", "noMediaUntilApproved": "Você não pode enviar anexos até que a conversa seja aprovada",
"mustBeApproved": "Esta conversa deve ser aceita para usar esta funcionalidade", "mustBeApproved": "Esta conversa deve ser aceita para usar esta funcionalidade",
"youHaveANewFriendRequest": "Você tem uma nova solicitação de amizade", "youHaveANewFriendRequest": "Você tem uma nova solicitação de amizade",
"clearAllConfirmationTitle": "Limpar todas as solicitações de mensagem", "clearAllConfirmationTitle": "Limpar todas as solicitações de mensagem",
"clearAllConfirmationBody": "Tem certeza de que deseja excluir todas as solicitações de mensagem?", "clearAllConfirmationBody": "Tem certeza de que deseja excluir todas as solicitações de mensagem?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Dispensar", "hideBanner": "Dispensar",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Ver sua caixa de entrada de solicitação de mensagem", "openMessageRequestInboxDescription": "Ver sua caixa de entrada de solicitação de mensagem",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Tem certeza que deseja limpar todos os $emoji$?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Mostrar menos",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reage a uma mensagem com $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Vá devagar! Você enviou reações de emoji demais. Tente novamente em breve",
"otherPlural": "$number$ others", "otherSingular": "$number$ outro",
"reactionPopup": "reacted with", "otherPlural": "$number$ outros",
"reactionPopup": "reagiu com",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "E $otherSingular$ reagiu <span>$emoji$</span> a esta mensagem",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "E $otherPlural$ reagiu <span>$emoji$</span> a esta mensagem"
} }

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Ativar ecrã completo", "viewMenuToggleFullScreen": "Ativar ecrã completo",
"viewMenuToggleDevTools": "Ativar ferramentas do programador", "viewMenuToggleDevTools": "Ativar ferramentas do programador",
"contextMenuNoSuggestions": "Sem Sugestões", "contextMenuNoSuggestions": "Sem Sugestões",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Convite para a comunidade",
"joinOpenGroupAfterInvitationConfirmationTitle": "Aderir a $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Aderir a $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Tem a certeza que pretende aderir à $roomName$ comunidade?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Insira o ID de Sessão ou um nome ONS", "enterSessionIDOrONSName": "Insira o ID de Sessão ou um nome ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Inicie uma nova conversa inserindo o ID do Session de alguém ou compartilhe o seu Session ID com eles.",
"loading": "A carregar...", "loading": "A carregar...",
"done": "Concluído", "done": "Concluído",
"youLeftTheGroup": "Você saiu do grupo", "youLeftTheGroup": "Você saiu do grupo",
"youGotKickedFromGroup": "Foi removido(a) do grupo.", "youGotKickedFromGroup": "Foi removido(a) do grupo.",
"unreadMessages": "Mensagens por Ler", "unreadMessages": "Mensagens por Ler",
"debugLogExplanation": "Este log será guardado no seu dispositivo.", "debugLogExplanation": "Este log será guardado no seu dispositivo.",
"reportIssue": "Report a Bug", "reportIssue": "Reportar um Erro",
"markAllAsRead": "Marcar Todas como Lidas", "markAllAsRead": "Marcar Todas como Lidas",
"incomingError": "Erro a receber mensagem.", "incomingError": "Erro a receber mensagem.",
"media": "Média", "media": "Média",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Não foi possível carregar o anexo selecionado.", "unableToLoadAttachment": "Não foi possível carregar o anexo selecionado.",
"offline": "Offline", "offline": "Offline",
"debugLog": "Relatório de depuração", "debugLog": "Relatório de depuração",
"showDebugLog": "Export Logs", "showDebugLog": "Exportar Registros",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exporte os seus registos e carregue o arquivo através do Help Desk do Session.",
"goToReleaseNotes": "Ir para as notas de lançamento", "goToReleaseNotes": "Ir para as notas de lançamento",
"goToSupportPage": "Ir para a página de suporte", "goToSupportPage": "Ir para a página de suporte",
"about": "Sobre", "about": "Sobre",
@ -72,7 +72,7 @@
"noSearchResults": "Sem resultados para \"$searchTerm$\"", "noSearchResults": "Sem resultados para \"$searchTerm$\"",
"conversationsHeader": "Contactos e Grupos", "conversationsHeader": "Contactos e Grupos",
"contactsHeader": "Contactos", "contactsHeader": "Contactos",
"messagesHeader": "Mensagens", "messagesHeader": "Conversations",
"settingsHeader": "Definições", "settingsHeader": "Definições",
"typingAlt": "Apresentar escrita com animação para esta conversa.", "typingAlt": "Apresentar escrita com animação para esta conversa.",
"contactAvatarAlt": "Avatar do contacto $name$", "contactAvatarAlt": "Avatar do contacto $name$",
@ -88,9 +88,9 @@
"photo": "Foto", "photo": "Foto",
"cannotUpdate": "Impossível atualizar", "cannotUpdate": "Impossível atualizar",
"cannotUpdateDetail": "Falha ao atualizar a sessão no Desktop mas há uma nova versão disponível. Por favor, vá para https://getsession. rg/ e instalar a nova versão manualmente, então entre em contato com o suporte ou relate um bug sobre este problema.", "cannotUpdateDetail": "Falha ao atualizar a sessão no Desktop mas há uma nova versão disponível. Por favor, vá para https://getsession. rg/ e instalar a nova versão manualmente, então entre em contato com o suporte ou relate um bug sobre este problema.",
"ok": "OK", "ok": "Ok",
"cancel": "Cancelar", "cancel": "Cancelar",
"close": "Close", "close": "Fechar",
"continue": "Continuar", "continue": "Continuar",
"error": "Erro", "error": "Erro",
"delete": "Eliminar", "delete": "Eliminar",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Apagar mensagens de $count$?", "deleteMessagesQuestion": "Apagar mensagens de $count$?",
"deleteMessageQuestion": "Eliminar esta mensagem?", "deleteMessageQuestion": "Eliminar esta mensagem?",
"deleteMessages": "Eliminar mensagens", "deleteMessages": "Eliminar mensagens",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ apagados", "deleted": "$count$ apagados",
"messageDeletedPlaceholder": "Esta mensagem foi eliminada", "messageDeletedPlaceholder": "Esta mensagem foi eliminada",
"from": "De", "from": "De",
@ -107,13 +108,14 @@
"sent": "Enviada", "sent": "Enviada",
"received": "Recebida", "received": "Recebida",
"sendMessage": "Enviar uma mensagem", "sendMessage": "Enviar uma mensagem",
"groupMembers": "Membros do grupo", "groupMembers": "Membros",
"moreInformation": "Mais informação", "moreInformation": "Mais informação",
"resend": "Enviar novamente", "resend": "Enviar novamente",
"deleteConversationConfirmation": "Deseja eliminar definitivamente esta conversa?", "deleteConversationConfirmation": "Deseja eliminar definitivamente esta conversa?",
"clear": "Clear", "clear": "Apagar",
"clearAllData": "Limpar todos os dados", "clearAllData": "Limpar todos os dados",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Isto irá apagar permanentemente as tuas mensagens e contactos.",
"deleteAccountFromLogin": "Tem a certeza que quer restaurar o seu dispositivo?",
"deleteContactConfirmation": "Tem certeza de que deseja excluir esta conversa?", "deleteContactConfirmation": "Tem certeza de que deseja excluir esta conversa?",
"quoteThumbnailAlt": "Miniatura da imagem da mensagem", "quoteThumbnailAlt": "Miniatura da imagem da mensagem",
"imageAttachmentAlt": "Imagem anexada à mensagem", "imageAttachmentAlt": "Imagem anexada à mensagem",
@ -126,47 +128,47 @@
"save": "Guardar", "save": "Guardar",
"saveLogToDesktop": "Salvar log no desktop", "saveLogToDesktop": "Salvar log no desktop",
"saved": "Guardado", "saved": "Guardado",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ fez uma captura de ecrã",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media guardada por $name$",
"linkPreviewsTitle": "Enviar pré-visualizações de links", "linkPreviewsTitle": "Enviar pré-visualizações de links",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Gerar pré-visualizações de links para URLs suportados.",
"linkPreviewsConfirmMessage": "Você não terá proteção total de metadados ao enviar visualizações de links.", "linkPreviewsConfirmMessage": "Você não terá proteção total de metadados ao enviar visualizações de links.",
"mediaPermissionsTitle": "Microfone", "mediaPermissionsTitle": "Microfone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Permitir acesso ao microfone.",
"spellCheckTitle": "Verificação ortográfica", "spellCheckTitle": "Verificação ortográfica",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Ativar verificação ortográfica ao digitar mensagens.",
"spellCheckDirty": "You must restart Session to apply your new settings", "spellCheckDirty": "Tem que reiniciar o Session de modo a aplicar as novas configurações",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Enviar confirmações de leitura em chats de um-para-um.",
"readReceiptSettingTitle": "Read Receipts", "readReceiptSettingTitle": "Recibos de Leitura",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Veja e compartilhe indicadores de digitação em chats um a um.",
"typingIndicatorsSettingTitle": "Indicador de digitação", "typingIndicatorsSettingTitle": "Indicador de digitação",
"zoomFactorSettingTitle": "Fator de zoom", "zoomFactorSettingTitle": "Fator de zoom",
"themesSettingTitle": "Themes", "themesSettingTitle": "Temas",
"primaryColor": "Primary Color", "primaryColor": "Cor principal",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Cor principal verde",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Cor principal azul",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Cor principal amarela",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Cor principal rosa",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Cor principal roxa",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Cor principal laranja",
"primaryColorRed": "Primary color red", "primaryColorRed": "Cor principal vermelha",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Clássico Escuro",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Clássico Claro",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Oceano Escuro",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Oceano Claro",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Aparar Comunidades",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Excluir mensagens com mais de 6 meses de comunidades que têm acima de 2.000 mensagens.",
"enable": "Enable", "enable": "Ativar",
"keepDisabled": "Keep disabled", "keepDisabled": "Manter desactivado",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "A informação exibida nas notificações.",
"nameAndMessage": "Remetente e mensagem", "nameAndMessage": "Nome e conteúdo",
"noNameOrMessage": "Nem o remetente nem a mensagem", "noNameOrMessage": "Nem o remetente nem a mensagem",
"nameOnly": "Apenas o remetente", "nameOnly": "Apenas o remetente",
"newMessage": "Nova mensagem", "newMessage": "Nova mensagem",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Cria uma conversa com um novo contacto",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Cria um grupo com contactos existentes",
"joinACommunity": "Join a community", "joinACommunity": "Junte-se a uma comunidade",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Escolha uma ação para iniciar uma conversa",
"newMessages": "Novas mensagens", "newMessages": "Novas mensagens",
"notificationMostRecentFrom": "Mais recente de:", "notificationMostRecentFrom": "Mais recente de:",
"notificationFrom": "De:", "notificationFrom": "De:",
@ -174,7 +176,7 @@
"sendFailed": "Falha no envio", "sendFailed": "Falha no envio",
"mediaMessage": "Mensagem de média", "mediaMessage": "Mensagem de média",
"messageBodyMissing": "Por favor, insira o corpo da mensagem.", "messageBodyMissing": "Por favor, insira o corpo da mensagem.",
"messageBody": "Message body", "messageBody": "Corpo da mensagem",
"unblockToSend": "Desbloqueie este contacto para enviar uma mensagem.", "unblockToSend": "Desbloqueie este contacto para enviar uma mensagem.",
"unblockGroupToSend": "Desbloqueie este grupo para enviar uma mensagem.", "unblockGroupToSend": "Desbloqueie este grupo para enviar uma mensagem.",
"youChangedTheTimer": "As suas mensagens irão desaparecer após $time$", "youChangedTheTimer": "As suas mensagens irão desaparecer após $time$",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 horas", "timerOption_12_hours": "12 horas",
"timerOption_1_day": "1 dia", "timerOption_1_day": "1 dia",
"timerOption_1_week": "1 semana", "timerOption_1_week": "1 semana",
"timerOption_2_weeks": "2 semanas",
"disappearingMessages": "Destruição de mensagens", "disappearingMessages": "Destruição de mensagens",
"changeNickname": "Alterar Nickname", "changeNickname": "Alterar Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1 dia", "timerOption_1_day_abbreviated": "1 dia",
"timerOption_1_week_abbreviated": "1 sem", "timerOption_1_week_abbreviated": "1 sem",
"timerOption_2_weeks_abbreviated": "2sem",
"disappearingMessagesDisabled": "Destruição de mensagens desativada", "disappearingMessagesDisabled": "Destruição de mensagens desativada",
"disabledDisappearingMessages": "$name$ desativou a destruição de mensagens", "disabledDisappearingMessages": "$name$ desativou a destruição de mensagens.",
"youDisabledDisappearingMessages": "Desativou a destruição de mensagens", "youDisabledDisappearingMessages": "Desativou a destruição de mensagens",
"timerSetTo": "Temporizador definido para $time$", "timerSetTo": "Temporizador definido para $time$",
"noteToSelf": "Nota para mim", "noteToSelf": "Nota para mim",
"hideMenuBarTitle": "Ocultar Barra de Menu", "hideMenuBarTitle": "Ocultar Barra de Menu",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Ativar a visibilidade da barra do menu do sistema.",
"startConversation": "Iniciar uma nova conversa…", "startConversation": "Iniciar uma nova conversa…",
"invalidNumberError": "Número inválido", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Falha ao resolver o nome do ONS", "failedResolveOns": "Falha ao resolver o nome do ONS",
"autoUpdateSettingTitle": "Atualização Automática", "autoUpdateSettingTitle": "Atualização Automática",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ juntou-se ao grupo", "multipleJoinedTheGroup": "$names$ juntou-se ao grupo",
"kickedFromTheGroup": "$name$ foi removido do grupo.", "kickedFromTheGroup": "$name$ foi removido do grupo.",
"multipleKickedFromTheGroup": "$name$ foram removidos do grupo.", "multipleKickedFromTheGroup": "$name$ foram removidos do grupo.",
"blockUser": "Bloquear", "block": "Block",
"unblockUser": "Desbloquear", "unblock": "Unblock",
"unblocked": "Desbloqueado", "unblocked": "Desbloqueado",
"blocked": "Bloqueado", "blocked": "Bloqueado",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,19 +299,19 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Successfully connected to community",
"setPasswordFail": "Failed to set password", "setPasswordFail": "Falha ao colocar palavra-passe",
"passwordLengthError": "Password must be between 6 and 64 characters long", "passwordLengthError": "A palavra-passe deve ter entre 6 e 64 carateres",
"passwordTypeError": "Password must be a string", "passwordTypeError": "A palavra-passe deve ser uma sequência de caracteres",
"passwordCharacterError": "Apenas pode criar uma senha com letras, números e símbolos simples", "passwordCharacterError": "Apenas pode criar uma senha com letras, números e símbolos simples",
"remove": "Remover", "remove": "Remover",
"invalidSessionId": "ID Session inválido", "invalidSessionId": "ID Session inválido",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Perfil", "editProfileModalTitle": "Perfil",
"groupNamePlaceholder": "Nome do Grupo", "groupNamePlaceholder": "Nome do Grupo",
"inviteContacts": "Convidar Contactos", "inviteContacts": "Convidar Contactos",
"addModerators": "Add Admins", "addModerators": "Adicionar administrador",
"removeModerators": "Remove Admins", "removeModerators": "Remover administrador",
"addAsModerator": "Add as Admin", "addAsModerator": "Adicionar como administrador",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Remover dos administradores",
"add": "Adicionar", "add": "Adicionar",
"addingContacts": "Adicionando contactos a", "addingContacts": "Adicionando contactos a",
"noContactsToAdd": "Sem contactos para adicionar", "noContactsToAdd": "Sem contactos para adicionar",
"noMembersInThisGroup": "Nenhum outro membro neste grupo", "noMembersInThisGroup": "Nenhum outro membro neste grupo",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "nenhum administrador para remover",
"onlyAdminCanRemoveMembers": "Você não é o criador", "onlyAdminCanRemoveMembers": "Você não é o criador",
"onlyAdminCanRemoveMembersDesc": "Apenas o criador do grupo pode remover utilizadores", "onlyAdminCanRemoveMembersDesc": "Apenas o criador do grupo pode remover utilizadores",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Manter na Bandeja do Sistema", "startInTrayTitle": "Manter na Bandeja do Sistema",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Manter o Session a funcionar em segundo plano quando fechar a janela.",
"yourUniqueSessionID": "Diga olá ao seu ID Session", "yourUniqueSessionID": "Diga olá ao seu ID Session",
"allUsersAreRandomly...": "O ID da sessão é o endereço único que as pessoas podem usar para entrar em contato com você na Sessão. Sem nenhuma conexão com sua identidade real, o seu ID de sessão é totalmente anônimo e privado por design.", "allUsersAreRandomly...": "O ID da sessão é o endereço único que as pessoas podem usar para entrar em contato com você na Sessão. Sem nenhuma conexão com sua identidade real, o seu ID de sessão é totalmente anônimo e privado por design.",
"getStarted": "Começar", "getStarted": "Começar",
@ -344,7 +348,7 @@
"linkDevice": "Dispositivo de Link", "linkDevice": "Dispositivo de Link",
"restoreUsingRecoveryPhrase": "Restaurar sua conta", "restoreUsingRecoveryPhrase": "Restaurar sua conta",
"or": "ou", "or": "ou",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Ao usar este serviço, concorda com os nossos <a href=\"https://getsession.org/terms-of-service \">Termos de Serviço</a> e <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Política de Privacidade</a>",
"beginYourSession": "Comece sua sessão.", "beginYourSession": "Comece sua sessão.",
"welcomeToYourSession": "Bem-vindo(a) ao Session", "welcomeToYourSession": "Bem-vindo(a) ao Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Search conversations and contacts",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Aspeto", "appearanceSettingsTitle": "Aspeto",
"privacySettingsTitle": "Privacidade", "privacySettingsTitle": "Privacidade",
"notificationsSettingsTitle": "Notificações", "notificationsSettingsTitle": "Notificações",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Digite sua frase de recuperação", "recoveryPhraseEmpty": "Digite sua frase de recuperação",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Digite um nome de grupo mais curto", "invalidGroupNameTooLong": "Digite um nome de grupo mais curto",
"pickClosedGroupMember": "Por favor escolha pelo menos 1 membro para o grupo", "pickClosedGroupMember": "Por favor escolha pelo menos 1 membro para o grupo",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Sem contactos bloqueados", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Alăturaţi-vă $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Alăturaţi-vă $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Introdu ID sesiune sau nume ONS", "enterSessionIDOrONSName": "Introdu ID sesiune sau nume ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Se încarcă...", "loading": "Se încarcă...",
@ -72,7 +72,7 @@
"noSearchResults": "Nici un rezultat pentru \"$searchTerm$\"", "noSearchResults": "Nici un rezultat pentru \"$searchTerm$\"",
"conversationsHeader": "Contate și Grupuri", "conversationsHeader": "Contate și Grupuri",
"contactsHeader": "Contacte", "contactsHeader": "Contacte",
"messagesHeader": "Mesaje", "messagesHeader": "Conversations",
"settingsHeader": "Setări", "settingsHeader": "Setări",
"typingAlt": "Animații la tastare pentru conversația curentă", "typingAlt": "Animații la tastare pentru conversația curentă",
"contactAvatarAlt": "Avatar pentru contactul $name$", "contactAvatarAlt": "Avatar pentru contactul $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Ștergi acest mesaj?", "deleteMessageQuestion": "Ștergi acest mesaj?",
"deleteMessages": "Șterge mesajele", "deleteMessages": "Șterge mesajele",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "Acest mesaj a fost șters", "messageDeletedPlaceholder": "Acest mesaj a fost șters",
"from": "De la", "from": "De la",
@ -107,29 +108,30 @@
"sent": "Trimis", "sent": "Trimis",
"received": "Primit", "received": "Primit",
"sendMessage": "Trimite mesaj", "sendMessage": "Trimite mesaj",
"groupMembers": "Membrii grupului", "groupMembers": "Members",
"moreInformation": "Mai multe informații", "moreInformation": "Mai multe informații",
"resend": "Retrimite", "resend": "Retrimite",
"deleteConversationConfirmation": "Şterg permanent acestă conversație?", "deleteConversationConfirmation": "Şterg permanent acestă conversație?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Șterge toate datele", "clearAllData": "Șterge toate datele",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Sunteți sigur că vreți să ștergeți această conversație?", "deleteContactConfirmation": "Sunteți sigur că vreți să ștergeți această conversație?",
"quoteThumbnailAlt": "Pictograma imaginii din mesajul citat", "quoteThumbnailAlt": "Pictograma imaginii din mesajul citat",
"imageAttachmentAlt": "Imagine atașată la mesaj", "imageAttachmentAlt": "Imagine atașată la mesaj",
"videoAttachmentAlt": "Screenshot la video atașat la mesaj", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Imagine trimisă în conversație", "lightboxImageAlt": "Imagine trimisă în conversație",
"imageCaptionIconAlt": "Pictograma care arată că această imagine are o legendă", "imageCaptionIconAlt": "Pictograma care arată că această imagine are o legendă",
"addACaption": "Adăugați un titlu...", "addACaption": "Adăugați un titlu...",
"copySessionID": "Copiază ID-ul Session", "copySessionID": "Copiază ID-ul Session",
"copyOpenGroupURL": "Copiază URL-ul grupului", "copyOpenGroupURL": "Copy Group URL",
"save": "Salvează", "save": "Salvează",
"saveLogToDesktop": "Salvează jurnalul pe desktop", "saveLogToDesktop": "Salvează jurnalul pe desktop",
"saved": "Salvat", "saved": "Salvat",
"tookAScreenshot": "$name$ a efectuat o captură de ecran", "tookAScreenshot": "$name$ a efectuat o captură de ecran",
"savedTheFile": "Media salvată de $name$", "savedTheFile": "Media salvată de $name$",
"linkPreviewsTitle": "Trimite Previzualizări Link", "linkPreviewsTitle": "Trimite Previzualizări Link",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "Nu veți avea protecție completă asupra metadatelor atunci când trimiteți sau primiți previzualizări ale link-ului.", "linkPreviewsConfirmMessage": "Nu veți avea protecție completă asupra metadatelor atunci când trimiteți sau primiți previzualizări ale link-ului.",
"mediaPermissionsTitle": "Microfon", "mediaPermissionsTitle": "Microfon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Indicatori tastare", "typingIndicatorsSettingTitle": "Indicatori tastare",
"zoomFactorSettingTitle": "Factor de mărire", "zoomFactorSettingTitle": "Factor de mărire",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Şi numele expeditorului şi mesajul", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Nici numele nici mesajul", "noNameOrMessage": "Nici numele nici mesajul",
"nameOnly": "Numai numele expeditorului", "nameOnly": "Numai numele expeditorului",
"newMessage": "Mesaj nou", "newMessage": "Mesaj nou",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 ore", "timerOption_12_hours": "12 ore",
"timerOption_1_day": "1 zi", "timerOption_1_day": "1 zi",
"timerOption_1_week": "1 săptămână", "timerOption_1_week": "1 săptămână",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Mesaje care dispar", "disappearingMessages": "Mesaje care dispar",
"changeNickname": "Schimbã Numele", "changeNickname": "Schimbã Numele",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 ore", "timerOption_12_hours_abbreviated": "12 ore",
"timerOption_1_day_abbreviated": "O zi", "timerOption_1_day_abbreviated": "O zi",
"timerOption_1_week_abbreviated": "O săptămână", "timerOption_1_week_abbreviated": "O săptămână",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Mesaje care dispar sunt dezactivate", "disappearingMessagesDisabled": "Mesaje care dispar sunt dezactivate",
"disabledDisappearingMessages": "$name$ a dezactivat mesajele care dispar", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Ai dezactivat mesajele care dispar", "youDisabledDisappearingMessages": "Ai dezactivat mesajele care dispar",
"timerSetTo": "Cronometru setat la $time$", "timerSetTo": "Cronometru setat la $time$",
"noteToSelf": "Notă personală", "noteToSelf": "Notă personală",
"hideMenuBarTitle": "Ascundeți bara de meniu", "hideMenuBarTitle": "Ascundeți bara de meniu",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Pornește o conversație nouă...", "startConversation": "Pornește o conversație nouă...",
"invalidNumberError": "Număr invalid", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Eroare la rezolvarea numelui ONS", "failedResolveOns": "Eroare la rezolvarea numelui ONS",
"autoUpdateSettingTitle": "Actualizare automată", "autoUpdateSettingTitle": "Actualizare automată",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ s-a alăturat grupului", "multipleJoinedTheGroup": "$names$ s-a alăturat grupului",
"kickedFromTheGroup": "$name$ a fost eliminat din grup.", "kickedFromTheGroup": "$name$ a fost eliminat din grup.",
"multipleKickedFromTheGroup": "$name$ a fost eliminat din grup.", "multipleKickedFromTheGroup": "$name$ a fost eliminat din grup.",
"blockUser": "Blochează", "block": "Block",
"unblockUser": "Deblochează", "unblock": "Unblock",
"unblocked": "Dezblocat", "unblocked": "Dezblocat",
"blocked": "Blocat", "blocked": "Blocat",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Se actualizează $name$...", "updateGroupDialogTitle": "Se actualizează $name$...",
"showRecoveryPhrase": "Frază de recuperare", "showRecoveryPhrase": "Frază de recuperare",
"yourSessionID": "ID-ul tău Session", "yourSessionID": "ID-ul tău Session",
"setAccountPasswordTitle": "Setează parola contului", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Schimbă Parola Contului", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Eliminați parola contului", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Vă rugăm să introduceţi parola", "enterPassword": "Vă rugăm să introduceţi parola",
"confirmPassword": "Confirmă parola", "confirmPassword": "Confirmă parola",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Vă rugăm să introduceţi parola", "showRecoveryPhrasePasswordRequest": "Vă rugăm să introduceţi parola",
"recoveryPhraseSavePromptMain": "Fraza ta de recuperare este cheia principală a ID-ului Session— o poți folosi pentru a restabili ID-ul Session dacă pierzi accesul la dispozitiv. Păstrați fraza de recuperare într-un loc sigur, și nu-l dați nimănui.", "recoveryPhraseSavePromptMain": "Fraza ta de recuperare este cheia principală a ID-ului Session— o poți folosi pentru a restabili ID-ul Session dacă pierzi accesul la dispozitiv. Păstrați fraza de recuperare într-un loc sigur, și nu-l dați nimănui.",
"invalidOpenGroupUrl": "URL invalid", "invalidOpenGroupUrl": "URL invalid",
"copiedToClipboard": "S-a copiat în clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Parolă", "password": "Parolă",
"setPassword": "Setează parolă", "setPassword": "Setează parolă",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Parolele nu se potrivesc", "setPasswordInvalid": "Parolele nu se potrivesc",
"changePasswordInvalid": "Vechea parolă introdusă este incorectă", "changePasswordInvalid": "Vechea parolă introdusă este incorectă",
"removePasswordInvalid": "Parolă incorectă", "removePasswordInvalid": "Parolă incorectă",
"setPasswordTitle": "Setează parola", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Schimbã Parola", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Parola a fost eliminată", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Parola ta a fost setată. Țîne-o într-un loc sigur te rugam.", "setPasswordToastDescription": "Parola ta a fost setată. Țîne-o într-un loc sigur te rugam.",
"changePasswordToastDescription": "Parola ta a fost schimbată. Te rugăm să o păstrezi în siguranță.", "changePasswordToastDescription": "Parola ta a fost schimbată. Te rugăm să o păstrezi în siguranță.",
"removePasswordToastDescription": "Ai șters parola.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Se conectează...", "connectingToServer": "Se conectează...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Aspect", "appearanceSettingsTitle": "Aspect",
"privacySettingsTitle": "Confidenţialitate", "privacySettingsTitle": "Confidenţialitate",
"notificationsSettingsTitle": "Notificări", "notificationsSettingsTitle": "Notificări",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Introduceți fraza de recuperare", "recoveryPhraseEmpty": "Introduceți fraza de recuperare",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ membri", "members": "$count$ membri",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Te rugăm să introduci un nume de grup mai scurt", "invalidGroupNameTooLong": "Te rugăm să introduci un nume de grup mai scurt",
"pickClosedGroupMember": "Te rugăm să alegi cel puțin un membru al grupului", "pickClosedGroupMember": "Te rugăm să alegi cel puțin un membru al grupului",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Nu aveți contacte blocate", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Sau alătură-te uneia dintre acestea...", "orJoinOneOfThese": "Sau alătură-te uneia dintre acestea...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Ești sigur că vrei să descarci fișiere multimedia trimise de $name$?", "trustThisContactDialogDescription": "Ești sigur că vrei să descarci fișiere multimedia trimise de $name$?",
"pinConversation": "Fixare conversație", "pinConversation": "Fixare conversație",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Arată detaliile utilizatorului", "showUserDetails": "Arată detaliile utilizatorului",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Apel pierdut de la „$name$” deoarece trebuie să oferi permisiunea pentru „Apeluri vocale și video” din setările de confidențialitate.", "callMissedCausePermission": "Apel pierdut de la „$name$” deoarece trebuie să oferi permisiunea pentru „Apeluri vocale și video” din setările de confidențialitate.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Ai sunat pe $name$", "startedACall": "Ai sunat pe $name$",
"answeredACall": "Apel cu $name$", "answeredACall": "Apel cu $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Полноэкранный режим", "viewMenuToggleFullScreen": "Полноэкранный режим",
"viewMenuToggleDevTools": "Переключить инструменты разработчика", "viewMenuToggleDevTools": "Переключить инструменты разработчика",
"contextMenuNoSuggestions": "Нет предложений", "contextMenuNoSuggestions": "Нет предложений",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Приглашение в группу",
"joinOpenGroupAfterInvitationConfirmationTitle": "Присоединиться к $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Присоединиться к $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Вы уверены, что хотите присоединиться к группе $roomName$?",
"couldntFindServerMatching": "Не удалось найти соответствующий сервер opengroup", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Введите Session ID или ONS имя", "enterSessionIDOrONSName": "Введите Session ID или ONS имя",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Введите Session ID собеседника или отправьте ему ваш Session ID чтобы начать новую беседу.",
"loading": "Загружается...", "loading": "Загружается...",
"done": "Готово", "done": "Готово",
"youLeftTheGroup": "Вы покинули группу.", "youLeftTheGroup": "Вы покинули группу.",
"youGotKickedFromGroup": "Вы были удалены из группы.", "youGotKickedFromGroup": "Вы были удалены из группы.",
"unreadMessages": "Непрочитанные сообщения", "unreadMessages": "Непрочитанные сообщения",
"debugLogExplanation": "Этот журнал будет сохранен на рабочем столе.", "debugLogExplanation": "Этот журнал будет сохранен на рабочем столе.",
"reportIssue": "Report a Bug", "reportIssue": "Сообщить об ошибке",
"markAllAsRead": "Отметить все как прочитанное", "markAllAsRead": "Отметить все как прочитанное",
"incomingError": "Ошибка при обработке входящего сообщения", "incomingError": "Ошибка при обработке входящего сообщения",
"media": "Медиа", "media": "Медиа",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Извините, произошла ошибка при обработке вложения.", "unableToLoadAttachment": "Извините, произошла ошибка при обработке вложения.",
"offline": "Оффлайн", "offline": "Оффлайн",
"debugLog": "Журнал отладки", "debugLog": "Журнал отладки",
"showDebugLog": "Export Logs", "showDebugLog": "Экспортировать логи",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Экспортируйте свои логи, затем загрузите файл через службу поддержки Session.",
"goToReleaseNotes": "Перейти к заметкам о релизе", "goToReleaseNotes": "Перейти к заметкам о релизе",
"goToSupportPage": "Перейти на страницу поддержки", "goToSupportPage": "Перейти на страницу поддержки",
"about": "О Session", "about": "О Session",
@ -72,7 +72,7 @@
"noSearchResults": "Результаты не найдены для \"$searchTerm$\"", "noSearchResults": "Результаты не найдены для \"$searchTerm$\"",
"conversationsHeader": "Контакты и группы", "conversationsHeader": "Контакты и группы",
"contactsHeader": "Контакты", "contactsHeader": "Контакты",
"messagesHeader": "Сообщения", "messagesHeader": "Conversations",
"settingsHeader": "Настройки", "settingsHeader": "Настройки",
"typingAlt": "Анимация набора текста для этого разговора", "typingAlt": "Анимация набора текста для этого разговора",
"contactAvatarAlt": "Аватар для контакта $name$", "contactAvatarAlt": "Аватар для контакта $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Удалить $count$ сообщений?", "deleteMessagesQuestion": "Удалить $count$ сообщений?",
"deleteMessageQuestion": "Удалить это сообщение?", "deleteMessageQuestion": "Удалить это сообщение?",
"deleteMessages": "Удалить сообщения", "deleteMessages": "Удалить сообщения",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ Удалено", "deleted": "$count$ Удалено",
"messageDeletedPlaceholder": "Это сообщение было удалено", "messageDeletedPlaceholder": "Это сообщение было удалено",
"from": "От:", "from": "От:",
@ -107,66 +108,67 @@
"sent": "Отправлено", "sent": "Отправлено",
"received": "Получено", "received": "Получено",
"sendMessage": "Отправить сообщение", "sendMessage": "Отправить сообщение",
"groupMembers": "Участники группы", "groupMembers": "Участники",
"moreInformation": "Больше информации", "moreInformation": "Больше информации",
"resend": "Отправить повторно", "resend": "Отправить повторно",
"deleteConversationConfirmation": "Удалить эту беседу без возможности восстановления?", "deleteConversationConfirmation": "Удалить эту беседу без возможности восстановления?",
"clear": "Clear", "clear": "Очистить",
"clearAllData": "Очистить все данные", "clearAllData": "Очистить все данные",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Это навсегда удалит ваши сообщения и контакты.",
"deleteAccountFromLogin": "Вы уверены, что хотите очистить ваше устройство?",
"deleteContactConfirmation": "Вы уверены, что хотите удалить эту беседу?", "deleteContactConfirmation": "Вы уверены, что хотите удалить эту беседу?",
"quoteThumbnailAlt": "Миниатюра изображения из цитируемого сообщения", "quoteThumbnailAlt": "Миниатюра изображения из цитируемого сообщения",
"imageAttachmentAlt": "Изображение, прикрепленное к сообщению", "imageAttachmentAlt": "Изображение, прикрепленное к сообщению",
"videoAttachmentAlt": "Скриншот видео, прикрепленного к сообщению", "videoAttachmentAlt": "Скриншот видео в сообщении",
"lightboxImageAlt": "Изображение, отправленное в беседе", "lightboxImageAlt": "Изображение, отправленное в беседе",
"imageCaptionIconAlt": "Иконка, показывающая, что у этого изображения есть подпись", "imageCaptionIconAlt": "Иконка, показывающая, что у этого изображения есть подпись",
"addACaption": "Добавить субтитры...", "addACaption": "Добавить субтитры...",
"copySessionID": "Копировать Session ID", "copySessionID": "Копировать Session ID",
"copyOpenGroupURL": "Копировать URL группы", "copyOpenGroupURL": "Скопировать URL-адрес группы",
"save": "Сохранить", "save": "Сохранить",
"saveLogToDesktop": "Сохранить журнал отладки на компьютер", "saveLogToDesktop": "Сохранить журнал отладки на компьютер",
"saved": "Сохранено", "saved": "Сохранено",
"tookAScreenshot": "$name$ сделал снимок экрана", "tookAScreenshot": "$name$ сделал снимок экрана",
"savedTheFile": "$name$ сохранил медиафайл", "savedTheFile": "$name$ сохранил медиафайл",
"linkPreviewsTitle": "Отправлять предпросмотр ссылки", "linkPreviewsTitle": "Отправлять предпросмотр ссылки",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Активировать предпросмотр ссылок для поддерживаемых URL.",
"linkPreviewsConfirmMessage": "Ваши метаданные не будут полностью защищены при отправке ссылок с предварительным просмотром.", "linkPreviewsConfirmMessage": "Ваши метаданные не будут полностью защищены при отправке ссылок с предварительным просмотром.",
"mediaPermissionsTitle": "Микрофон", "mediaPermissionsTitle": "Микрофон",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Разрешить доступ к микрофону.",
"spellCheckTitle": "Проверка орфографии", "spellCheckTitle": "Проверка орфографии",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Включить проверку орфографии при вводе сообщений.",
"spellCheckDirty": "Вы должны перезапустить Session, чтобы применить новые настройки", "spellCheckDirty": "Вы должны перезапустить Session, чтобы применить новые настройки",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Отправлять уведомления о прочтении в личных беседах.",
"readReceiptSettingTitle": "Уведомления о прочтении", "readReceiptSettingTitle": "Уведомления о прочтении",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Просмотр и передача индикатора о наборе в личных беседах.",
"typingIndicatorsSettingTitle": "Индикаторы ввода текста", "typingIndicatorsSettingTitle": "Индикаторы ввода текста",
"zoomFactorSettingTitle": "Масштабирование приложения", "zoomFactorSettingTitle": "Масштабирование приложения",
"themesSettingTitle": "Themes", "themesSettingTitle": "Темы оформления",
"primaryColor": "Primary Color", "primaryColor": "Основной цвет",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Основной цвет зеленый",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Основной цвет синий",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Основной цвет желтый",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Основной цвет розовый",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Основной цвет сиреневый",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Основной цвет оранжевый",
"primaryColorRed": "Primary color red", "primaryColorRed": "Основной цвет красный",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Классическая тёмная",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Классическая светлая",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Темный океан",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Светлый океан",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Обрезать сообщества",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Удалять сообщения старше 6 месяцев из сообществ, у которых более 2000 сообщений.",
"enable": "Включить", "enable": "Включить",
"keepDisabled": "Не включать", "keepDisabled": "Не включать",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Информация, отображаемая в уведомлениях.",
"nameAndMessage": "Имя отправителя и сообщение", "nameAndMessage": "Имя и содержимое",
"noNameOrMessage": "Нет имени или сообщения", "noNameOrMessage": "Нет имени или сообщения",
"nameOnly": "Только имя отправителя", "nameOnly": "Только имя отправителя",
"newMessage": "Новое сообщение", "newMessage": "Новое сообщение",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Создать беседу с новым контактом",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Создать группу с уже существующими контактами",
"joinACommunity": "Join a community", "joinACommunity": "Вступить в группу",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Выберите действие для начала беседы",
"newMessages": "Новые сообщения", "newMessages": "Новые сообщения",
"notificationMostRecentFrom": "Последнее от $name$", "notificationMostRecentFrom": "Последнее от $name$",
"notificationFrom": "От:", "notificationFrom": "От:",
@ -174,7 +176,7 @@
"sendFailed": "Не удалось отправить", "sendFailed": "Не удалось отправить",
"mediaMessage": "Медиа-сообщение", "mediaMessage": "Медиа-сообщение",
"messageBodyMissing": "Пожалуйста, введите текст сообщения.", "messageBodyMissing": "Пожалуйста, введите текст сообщения.",
"messageBody": "Message body", "messageBody": "Текст сообщения",
"unblockToSend": "Разблокируйте этот контакт, чтобы отправить сообщение.", "unblockToSend": "Разблокируйте этот контакт, чтобы отправить сообщение.",
"unblockGroupToSend": "Группа заблокирована. Разблокируйте группу чтобы отправить сообщение.", "unblockGroupToSend": "Группа заблокирована. Разблокируйте группу чтобы отправить сообщение.",
"youChangedTheTimer": "Вы установили таймер для исчезающих сообщений на $time$.", "youChangedTheTimer": "Вы установили таймер для исчезающих сообщений на $time$.",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 часов", "timerOption_12_hours": "12 часов",
"timerOption_1_day": "1 день", "timerOption_1_day": "1 день",
"timerOption_1_week": "1 неделя", "timerOption_1_week": "1 неделя",
"timerOption_2_weeks": "2 недели",
"disappearingMessages": "Исчезающие сообщения", "disappearingMessages": "Исчезающие сообщения",
"changeNickname": "Изменить имя пользователя", "changeNickname": "Изменить имя пользователя",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12 часов", "timerOption_12_hours_abbreviated": "12 часов",
"timerOption_1_day_abbreviated": "1 день", "timerOption_1_day_abbreviated": "1 день",
"timerOption_1_week_abbreviated": "1 нед.", "timerOption_1_week_abbreviated": "1 нед.",
"timerOption_2_weeks_abbreviated": "2 нед",
"disappearingMessagesDisabled": "Исчезающие сообщения отключены", "disappearingMessagesDisabled": "Исчезающие сообщения отключены",
"disabledDisappearingMessages": "$name$ отключил(а) исчезающие сообщения.", "disabledDisappearingMessages": "$name$ отключил(а) исчезающие сообщения.",
"youDisabledDisappearingMessages": "Вы отключили исчезающие сообщения.", "youDisabledDisappearingMessages": "Вы отключили исчезающие сообщения.",
"timerSetTo": "Время исчезновения сообщений $time$", "timerSetTo": "Время исчезновения сообщений $time$",
"noteToSelf": "Заметка для себя", "noteToSelf": "Заметка для себя",
"hideMenuBarTitle": "Спрятать системное меню", "hideMenuBarTitle": "Спрятать системное меню",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Спрятать или показать системное меню.",
"startConversation": "Начать новую беседу...", "startConversation": "Начать новую беседу...",
"invalidNumberError": "Неверный Session ID или ONS имя", "invalidNumberError": "Пожалуйста, проверьте Session ID или ONS имя и попробуйте снова",
"failedResolveOns": "Не удалось получить ONS имя", "failedResolveOns": "Не удалось получить ONS имя",
"autoUpdateSettingTitle": "Автоматические обновления", "autoUpdateSettingTitle": "Автоматические обновления",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Автоматически проверять наличие обновлений при запуске.",
"autoUpdateNewVersionTitle": "Доступно обновление Session", "autoUpdateNewVersionTitle": "Доступно обновление Session",
"autoUpdateNewVersionMessage": "Доступна новая версия Session", "autoUpdateNewVersionMessage": "Доступна новая версия Session",
"autoUpdateNewVersionInstructions": "Для применения обновлений перезапустите Session.", "autoUpdateNewVersionInstructions": "Для применения обновлений перезапустите Session.",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$ присоединились к группе.", "multipleJoinedTheGroup": "$name$ присоединились к группе.",
"kickedFromTheGroup": "$name$ был удален из группы.", "kickedFromTheGroup": "$name$ был удален из группы.",
"multipleKickedFromTheGroup": "$name$ были удалены из группы.", "multipleKickedFromTheGroup": "$name$ были удалены из группы.",
"blockUser": "Заблокировать", "block": "Block",
"unblockUser": "Разблокировать", "unblock": "Unblock",
"unblocked": "Разблокирован", "unblocked": "Разблокирован",
"blocked": "Заблокирован", "blocked": "Заблокирован",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Заблокированные контакты",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Беседы",
"unbanUser": "Разблокировать пользователя", "unbanUser": "Разблокировать пользователя",
"userUnbanned": "Пользователь успешно разблокирован", "userUnbanned": "Пользователь успешно разблокирован",
"userUnbanFailed": "Не удалось разблокировать!", "userUnbanFailed": "Не удалось разблокировать!",
@ -251,14 +255,14 @@
"userBanned": "Пользователь заблокирован", "userBanned": "Пользователь заблокирован",
"userBanFailed": "Не удалось заблокировать!", "userBanFailed": "Не удалось заблокировать!",
"leaveGroup": "Покинуть группу", "leaveGroup": "Покинуть группу",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Покинуть группу и удалить для всех",
"leaveGroupConfirmation": "Вы уверены, что хотите покинуть эту группу?", "leaveGroupConfirmation": "Вы уверены, что хотите покинуть эту группу?",
"leaveGroupConfirmationAdmin": "Так как вы являетесь администратором этой группы, если вы покините ее, она будет удалена для всех текущих участников. Вы уверены, что хотите покинуть эту группу?", "leaveGroupConfirmationAdmin": "Так как вы являетесь администратором этой группы, если вы покините ее, она будет удалена для всех текущих участников. Вы уверены, что хотите покинуть эту группу?",
"cannotRemoveCreatorFromGroup": "Не удается удалить данного пользователя", "cannotRemoveCreatorFromGroup": "Не удается удалить данного пользователя",
"cannotRemoveCreatorFromGroupDesc": "Вы не можете удалить этого пользователя, так как он является создателем группы.", "cannotRemoveCreatorFromGroupDesc": "Вы не можете удалить этого пользователя, так как он является создателем группы.",
"noContactsForGroup": "У вас еще нет контактов", "noContactsForGroup": "У вас еще нет контактов",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Не удалось добавить пользователя в качестве администратора",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Не удалось удалить пользователя из списка администраторов",
"copyMessage": "Скопировать текст сообщения", "copyMessage": "Скопировать текст сообщения",
"selectMessage": "Выбрать сообщение", "selectMessage": "Выбрать сообщение",
"editGroup": "Редактировать группу", "editGroup": "Редактировать группу",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "Обновляем $name$...", "updateGroupDialogTitle": "Обновляем $name$...",
"showRecoveryPhrase": "Секретная фраза", "showRecoveryPhrase": "Секретная фраза",
"yourSessionID": "Ваш Session ID", "yourSessionID": "Ваш Session ID",
"setAccountPasswordTitle": "Установить пароль", "setAccountPasswordTitle": "Пароль",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Требовать пароль для разблокировки Session.",
"changeAccountPasswordTitle": "Изменить пароль", "changeAccountPasswordTitle": "Изменить пароль",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Измените пароль, необходимый для разблокировки Session.",
"removeAccountPasswordTitle": "Удалить пароль", "removeAccountPasswordTitle": "Удалить пароль",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Удалить пароль, необходимый для разблокировки Session.",
"enterPassword": "Пожалуйста, введите ваш пароль", "enterPassword": "Пожалуйста, введите ваш пароль",
"confirmPassword": "Подтвердить пароль", "confirmPassword": "Подтвердить пароль",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Введите новый пароль",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Подтвердите новый пароль",
"showRecoveryPhrasePasswordRequest": "Пожалуйста, введите ваш пароль", "showRecoveryPhrasePasswordRequest": "Пожалуйста, введите ваш пароль",
"recoveryPhraseSavePromptMain": "Фраза восстановления является главным ключом к Session ID — вы можете использовать ее для восстановления, если потеряете доступ к своему устройству. Храните вашу фразу восстановления в надежном месте и никому ее не передавайте.", "recoveryPhraseSavePromptMain": "Фраза восстановления является главным ключом к Session ID — вы можете использовать ее для восстановления, если потеряете доступ к своему устройству. Храните вашу фразу восстановления в надежном месте и никому ее не передавайте.",
"invalidOpenGroupUrl": "Недействительный URL-адрес", "invalidOpenGroupUrl": "Недействительный URL-адрес",
"copiedToClipboard": "Скопировано в буфер обмена", "copiedToClipboard": "Скопировано",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Введите пароль",
"password": "Пароль", "password": "Пароль",
"setPassword": "Установить пароль", "setPassword": "Установить пароль",
"changePassword": "Изменить пароль", "changePassword": "Изменить пароль",
"createPassword": "Create your password", "createPassword": "Создать пароль",
"removePassword": "Удалить пароль", "removePassword": "Удалить пароль",
"maxPasswordAttempts": "Неверный пароль. Сбросить базу данных?", "maxPasswordAttempts": "Неверный пароль. Сбросить базу данных?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Пожалуйста, введите ваш действующий пароль",
"invalidOldPassword": "Старый пароль недействителен", "invalidOldPassword": "Старый пароль недействителен",
"invalidPassword": "Неверный пароль", "invalidPassword": "Неверный пароль",
"noGivenPassword": "Пожалуйста, введите ваш пароль", "noGivenPassword": "Пожалуйста, введите ваш пароль",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Пароли не совпадают", "setPasswordInvalid": "Пароли не совпадают",
"changePasswordInvalid": "Старый пароль, который вы ввели, неверен", "changePasswordInvalid": "Старый пароль, который вы ввели, неверен",
"removePasswordInvalid": "Неверный пароль", "removePasswordInvalid": "Неверный пароль",
"setPasswordTitle": "Установить пароль", "setPasswordTitle": "Пароль установлен",
"changePasswordTitle": "Пароль изменен", "changePasswordTitle": "Пароль изменен",
"removePasswordTitle": "Пароль удален", "removePasswordTitle": "Пароль удален",
"setPasswordToastDescription": "Ваш пароль установлен. Пожалуйста, храните его в безопасном месте.", "setPasswordToastDescription": "Ваш пароль установлен. Пожалуйста, храните его в безопасном месте.",
"changePasswordToastDescription": "Ваш пароль был изменен. Пожалуйста, храните его в безопасном месте.", "changePasswordToastDescription": "Ваш пароль был изменен. Пожалуйста, храните его в безопасном месте.",
"removePasswordToastDescription": "Вы удалили ваш пароль.", "removePasswordToastDescription": "Ваш пароль удален.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Вы уже состоите в этой группе",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Не удалось присоединиться к сообществу",
"connectingToServer": "Соединяемся...", "connectingToServer": "Соединяемся...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Успешное подключение к сообществу",
"setPasswordFail": "Не удалось установить пароль", "setPasswordFail": "Не удалось установить пароль",
"passwordLengthError": "Пароль должен содержать от 6 до 64 символов", "passwordLengthError": "Пароль должен содержать от 6 до 64 символов",
"passwordTypeError": "Пароль должен быть строкой", "passwordTypeError": "Пароль должен быть строкой",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Аккаунт", "editProfileModalTitle": "Аккаунт",
"groupNamePlaceholder": "Название группы", "groupNamePlaceholder": "Название группы",
"inviteContacts": "Пригласить друзей в Session", "inviteContacts": "Пригласить друзей в Session",
"addModerators": "Add Admins", "addModerators": "Добавить администраторов",
"removeModerators": "Remove Admins", "removeModerators": "Удалить администраторов",
"addAsModerator": "Add as Admin", "addAsModerator": "Добавить как администратора",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Удалить из администраторов",
"add": "Добавить", "add": "Добавить",
"addingContacts": "Добавление контактов в", "addingContacts": "Добавление контактов в",
"noContactsToAdd": "Нет контактов для добавления", "noContactsToAdd": "Нет контактов для добавления",
"noMembersInThisGroup": "В этой группе нет других участников", "noMembersInThisGroup": "В этой группе нет других участников",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "нет администраторов для удаления",
"onlyAdminCanRemoveMembers": "Вы не являетесь создателем", "onlyAdminCanRemoveMembers": "Вы не являетесь создателем",
"onlyAdminCanRemoveMembersDesc": "Только создатель группы может удалять пользователей", "onlyAdminCanRemoveMembersDesc": "Только создатель группы может удалять пользователей",
"createAccount": "Создать аккаунт", "createAccount": "Создать аккаунт",
"startInTrayTitle": "При закрытии сворачивать в трей", "startInTrayTitle": "При закрытии сворачивать в трей",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Session продолжит работать в фоновом режиме даже после закрытия окна.",
"yourUniqueSessionID": "Познакомьтесь со своим Session ID", "yourUniqueSessionID": "Познакомьтесь со своим Session ID",
"allUsersAreRandomly...": "Ваш Session ID - это уникальный адрес, который другие пользователи могут использовать для связи с вами при помощи Session. Поскольку ваш Session ID никак не связан с вашей настоящей личностью, он по определению является полностью анонимным и конфиденциальным.", "allUsersAreRandomly...": "Ваш Session ID - это уникальный адрес, который другие пользователи могут использовать для связи с вами при помощи Session. Поскольку ваш Session ID никак не связан с вашей настоящей личностью, он по определению является полностью анонимным и конфиденциальным.",
"getStarted": "Начать", "getStarted": "Начать",
@ -344,40 +348,43 @@
"linkDevice": "Привязать устройство", "linkDevice": "Привязать устройство",
"restoreUsingRecoveryPhrase": "Восстановите свой аккаунт", "restoreUsingRecoveryPhrase": "Восстановите свой аккаунт",
"or": "или", "or": "или",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Используя этот сервис, вы соглашаетесь с <a href=\"https://getsession.org/terms-of-service \">Условиями обслуживания</a> и <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Политикой конфиденциальности</a>",
"beginYourSession": "Начать свою сессию.", "beginYourSession": "Начать свою сессию.",
"welcomeToYourSession": "Добро пожаловать в вашу сессию", "welcomeToYourSession": "Добро пожаловать в вашу сессию",
"searchFor...": "Search conversations and contacts", "searchFor...": "Поиск бесед и контактов",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Поиск контактов",
"enterSessionID": "Введите Session ID", "enterSessionID": "Введите Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Введите Session ID вашего контакта или ONS",
"message": "Сообщение", "message": "Сообщение",
"appearanceSettingsTitle": "Внешний вид", "appearanceSettingsTitle": "Внешний вид",
"privacySettingsTitle": "Конфиденциальность", "privacySettingsTitle": "Конфиденциальность",
"notificationsSettingsTitle": "Уведомления", "notificationsSettingsTitle": "Уведомления",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Содержимое уведомления",
"notificationPreview": "Предварительный просмотр",
"recoveryPhraseEmpty": "Введите секретную фразу", "recoveryPhraseEmpty": "Введите секретную фразу",
"displayNameEmpty": "Пожалуйста, выберите отображаемое имя", "displayNameEmpty": "Пожалуйста, выберите отображаемое имя",
"displayNameTooLong": "Display name is too long",
"members": "$count$ участников", "members": "$count$ участников",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Присоединиться",
"createGroup": "Create Group", "joinOpenGroup": "Присоединиться к сообществу",
"create": "Create", "createGroup": "Создать группу",
"create": "Создать",
"createClosedGroupNamePrompt": "Название Группы", "createClosedGroupNamePrompt": "Название Группы",
"createClosedGroupPlaceholder": "Введите название группы", "createClosedGroupPlaceholder": "Введите название группы",
"openGroupURL": "Community URL", "openGroupURL": "URL сообщества",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Введите URL сообщества",
"next": "Далее", "next": "Далее",
"invalidGroupNameTooShort": "Пожалуйста, введите название группы", "invalidGroupNameTooShort": "Пожалуйста, введите название группы",
"invalidGroupNameTooLong": "Пожалуйста, введите более короткое название группы", "invalidGroupNameTooLong": "Пожалуйста, введите более короткое название группы",
"pickClosedGroupMember": "Пожалуйста, выберите как минимум 1 участника группы", "pickClosedGroupMember": "Пожалуйста, выберите как минимум 1 участника группы",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "В группе не может быть более 100 участников",
"noBlockedContacts": "Нет заблокированных контактов", "noBlockedContacts": "У вас нет заблокированных контактов.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Пользователь добавлен в список администраторов",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Пользователь удален из списка администраторов",
"orJoinOneOfThese": "Или присоединитесь к одной из этих...", "orJoinOneOfThese": "Или присоединитесь к одной из этих...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Перевод Session",
"closedGroupInviteFailTitle": "Не удалось пригласить в группу", "closedGroupInviteFailTitle": "Не удалось пригласить в группу",
"closedGroupInviteFailTitlePlural": "Не удалось пригласить в группу", "closedGroupInviteFailTitlePlural": "Не удалось пригласить в группу",
"closedGroupInviteFailMessage": "Не удалось пригласить участника группы", "closedGroupInviteFailMessage": "Не удалось пригласить участника группы",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Пригласить повторно", "closedGroupInviteOkText": "Пригласить повторно",
"closedGroupInviteSuccessTitlePlural": "Приглашения в группу выполнены", "closedGroupInviteSuccessTitlePlural": "Приглашения в группу выполнены",
"closedGroupInviteSuccessTitle": "Приглашение в группу успешно", "closedGroupInviteSuccessTitle": "Приглашение в группу успешно",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Успешно приглашен в участники группы",
"notificationForConvo": "Уведомления", "notificationForConvo": "Уведомления",
"notificationForConvo_all": "Все", "notificationForConvo_all": "Все",
"notificationForConvo_disabled": "Выключено", "notificationForConvo_disabled": "Выключено",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Открыть эту ссылку в браузере по умолчанию?", "linkVisitWarningTitle": "Открыть эту ссылку в браузере по умолчанию?",
"linkVisitWarningMessage": "Вы уверены, что хотите открыть $url$ в вашем браузере?", "linkVisitWarningMessage": "Вы уверены, что хотите открыть $url$ в вашем браузере?",
"open": "Открыть", "open": "Открыть",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Автовоспроизведение аудиосообщений",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Автовоспроизведение последовательных аудиосообщений.",
"clickToTrustContact": "Нажмите чтобы загрузить медиа-файл", "clickToTrustContact": "Нажмите чтобы загрузить медиа-файл",
"trustThisContactDialogTitle": "Доверять $name$?", "trustThisContactDialogTitle": "Доверять $name$?",
"trustThisContactDialogDescription": "Вы уверены, что хотите загрузить медиафайлы, присланные $name$?", "trustThisContactDialogDescription": "Вы уверены, что хотите загрузить медиафайлы, присланные $name$?",
"pinConversation": "Закрепить беседу", "pinConversation": "Закрепить беседу",
"unpinConversation": "Открепить беседу", "unpinConversation": "Открепить беседу",
"markUnread": "Mark Unread",
"showUserDetails": "Показывать Сведения о Пользователе", "showUserDetails": "Показывать Сведения о Пользователе",
"sendRecoveryPhraseTitle": "Отправка секретной фразы", "sendRecoveryPhraseTitle": "Отправка секретной фразы",
"sendRecoveryPhraseMessage": "Вы пытаетесь отправить вашу секретную фразу, которая может быть использована для доступа к вашей учетной записи. Вы уверены, что хотите отправить это сообщение?", "sendRecoveryPhraseMessage": "Вы пытаетесь отправить вашу секретную фразу, которая может быть использована для доступа к вашей учетной записи. Вы уверены, что хотите отправить это сообщение?",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "Данные не удалены из-за неизвестной ошибки. Вы хотите удалить данные только с этого устройства?", "dialogClearAllDataDeletionFailedDesc": "Данные не удалены из-за неизвестной ошибки. Вы хотите удалить данные только с этого устройства?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Вы хотите удалить данные только с этого устройства?", "dialogClearAllDataDeletionFailedTitleQuestion": "Вы хотите удалить данные только с этого устройства?",
"dialogClearAllDataDeletionFailedMultiple": "Данные не удалены узлами сервиса. Номера узлов: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Данные не удалены узлами сервиса. Номера узлов: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Вы хотите очистить только это устройство или также удалить свои данные из сети?",
"deviceOnly": "Clear Device Only", "clearDevice": "Очистить устройство",
"entireAccount": "Clear Device and Network", "tryAgain": "Повторить",
"areYouSureClearDevice": "Вы уверены, что хотите очистить ваше устройство?",
"deviceOnly": "Очистить только устройство",
"entireAccount": "Очистить устройство и сеть",
"areYouSureDeleteDeviceOnly": "Вы уверены, что хотите удалить только данные с вашего устройства?", "areYouSureDeleteDeviceOnly": "Вы уверены, что хотите удалить только данные с вашего устройства?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Вы уверены, что хотите удалить данные из сети? Если вы продолжите, то не сможете восстановить ваши сообщения или контакты.",
"iAmSure": "Я уверен", "iAmSure": "Я уверен",
"recoveryPhraseSecureTitle": "Вы почти закончили!", "recoveryPhraseSecureTitle": "Вы почти закончили!",
"recoveryPhraseRevealMessage": "Обезопасьте свой аккаунт, сохранив вашу секретную фразу. Узнайте свою секретную фразу, затем сохраните её в безопасном месте.", "recoveryPhraseRevealMessage": "Обезопасьте свой аккаунт, сохранив вашу секретную фразу. Узнайте свою секретную фразу, затем сохраните её в безопасном месте.",
"recoveryPhraseRevealButtonText": "Показать секретную фразу", "recoveryPhraseRevealButtonText": "Показать секретную фразу",
"notificationSubtitle": "Уведомления - $setting$", "notificationSubtitle": "Уведомления - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Мы будем рады вашим отзывам",
"faq": "FAQ", "faq": "Часто задаваемые вопросы",
"support": "Support", "support": "Поддержка",
"clearAll": "Очистить всё", "clearAll": "Очистить всё",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Очистить данные",
"messageRequests": "Запросы на переписку", "messageRequests": "Запросы на переписку",
"requestsSubtitle": "Ожидающие рассмотрения запросы", "requestsSubtitle": "Ожидающие рассмотрения запросы",
"requestsPlaceholder": "Нет запросов", "requestsPlaceholder": "Нет запросов",
@ -438,8 +449,8 @@
"accept": "Принять", "accept": "Принять",
"decline": "Отклонить", "decline": "Отклонить",
"endCall": "Завершить вызов", "endCall": "Завершить вызов",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Разрешения",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Помощь",
"cameraPermissionNeededTitle": "Требуются разрешения для голосовых и видеозвонков", "cameraPermissionNeededTitle": "Требуются разрешения для голосовых и видеозвонков",
"cameraPermissionNeeded": "Вы можете включить разрешения на голосовые и видеозвонки в настройках приватности.", "cameraPermissionNeeded": "Вы можете включить разрешения на голосовые и видеозвонки в настройках приватности.",
"unableToCall": "Сначала отмените свой текущий вызов", "unableToCall": "Сначала отмените свой текущий вызов",
@ -449,15 +460,15 @@
"noCameraFound": "Камера не найдена", "noCameraFound": "Камера не найдена",
"noAudioInputFound": "Аудиовход не найден", "noAudioInputFound": "Аудиовход не найден",
"noAudioOutputFound": "Аудиовыход не найден", "noAudioOutputFound": "Аудиовыход не найден",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Голосовые и видео вызовы (бета)",
"callMissedCausePermission": "Пропущенный вызов от $name$. Вам необходимо включить разрешение на голосовые и видеозвонки в настройках конфиденциальности, чтобы принимать вызовы.", "callMissedCausePermission": "Пропущенный вызов от $name$. Вам необходимо включить разрешение на голосовые и видеозвонки в настройках конфиденциальности, чтобы принимать вызовы.",
"callMissedNotApproved": "Звонок от $name$ пропущен, так как Вы еще не общались с данным человеком. Сначала отправьте ему сообщение.", "callMissedNotApproved": "Звонок от $name$ пропущен, так как Вы еще не общались с данным человеком. Сначала отправьте ему сообщение.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Позволяет осуществлять голосовые и видеовызовы другим пользователям.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Ваш IP-адрес виден вашему собеседнику и серверу Oxen Foundation при использовании бета-вызовов. Вы уверены, что хотите включить голосовые и видеозвонки?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Голосовые и видео звонки (бета)",
"startedACall": "Вы звоните $name$", "startedACall": "Вы звонили $name$",
"answeredACall": "Звонок с $name$", "answeredACall": "Звонок с $name$",
"trimDatabase": "Ограничить количество", "trimDatabase": "Урезать базу данных",
"trimDatabaseDescription": "Уменьшает количество сохраненных сообщений до 10 000 последних сообщений.", "trimDatabaseDescription": "Уменьшает количество сохраненных сообщений до 10 000 последних сообщений.",
"trimDatabaseConfirmationBody": "Вы уверены, что хотите удалить $deleteAmount$ очень старых полученных сообщений?", "trimDatabaseConfirmationBody": "Вы уверены, что хотите удалить $deleteAmount$ очень старых полученных сообщений?",
"pleaseWaitOpenAndOptimizeDb": "Подождите, пока ваш список сохранённых сообщений оптимизируется...", "pleaseWaitOpenAndOptimizeDb": "Подождите, пока ваш список сохранённых сообщений оптимизируется...",
@ -468,25 +479,30 @@
"declineRequestMessage": "Вы действительно хотите отклонить данный запрос на переписку?", "declineRequestMessage": "Вы действительно хотите отклонить данный запрос на переписку?",
"respondingToRequestWarning": "Отправка сообщения этому пользователю автоматически примет его запрос на переписку и откроет ваш Session ID.", "respondingToRequestWarning": "Отправка сообщения этому пользователю автоматически примет его запрос на переписку и откроет ваш Session ID.",
"hideRequestBanner": "Скрыть баннер запроса на переписку", "hideRequestBanner": "Скрыть баннер запроса на переписку",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Запросы на переписку",
"noMessageRequestsPending": "Нет запросов на переписку", "noMessageRequestsPending": "Нет запросов на переписку",
"noMediaUntilApproved": "Вы не можете добавлять файлы, пока разговор не одобрен", "noMediaUntilApproved": "Вы не можете добавлять файлы, пока разговор не одобрен",
"mustBeApproved": "Этот разговор должен быть одобрен для того, чтобы можно было использовать данную функцию", "mustBeApproved": "Этот разговор должен быть одобрен для того, чтобы можно было использовать данную функцию",
"youHaveANewFriendRequest": "У вас новая заявка в друзья", "youHaveANewFriendRequest": "У вас новая заявка в друзья",
"clearAllConfirmationTitle": "Очистить все запросы на переписку", "clearAllConfirmationTitle": "Очистить все запросы на переписку",
"clearAllConfirmationBody": "Вы уверены, что хотите удалить все запросы на переписку?", "clearAllConfirmationBody": "Вы уверены, что хотите удалить все запросы на переписку?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Скрыть", "hideBanner": "Скрыть",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Просмотреть входящие запросы на переписку", "openMessageRequestInboxDescription": "Просмотреть входящие запросы на переписку",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Вы уверены, что хотите очистить все $emoji$?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Свернуть",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Ореагировал на сообщение с $emoji$",
"otherSingular": "$number$ other", "rateLimitReactMessage": "Помедленнее! Вы отправили слишком много эмодзи-реакций. Попробуйте еще раз в ближайшее время",
"otherPlural": "$number$ others", "otherSingular": "$number$ прочий",
"reactionPopup": "reacted with", "otherPlural": "$number$ другими",
"reactionPopup": "отреагировал с",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "И $otherSingular$ отреагировал <span>$emoji$</span> tна это сообщение",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "И $otherPlural$ отреагировали <span>$emoji$</span> tна это сообщение"
} }

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$ ට එක්වනවාද?", "joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$ ට එක්වනවාද?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Session ID හෝ ONS නම ඇතුලත් කරන්න", "enterSessionIDOrONSName": "Session ID හෝ ONS නම ඇතුලත් කරන්න",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "පූරණය වෙමින්…", "loading": "පූරණය වෙමින්…",
@ -72,7 +72,7 @@
"noSearchResults": "\"$searchTerm$\" සඳහා සෙවුම් ප්‍රතිඵල නැත", "noSearchResults": "\"$searchTerm$\" සඳහා සෙවුම් ප්‍රතිඵල නැත",
"conversationsHeader": "සම්බන්ධතා සහ කණ්ඩායම්", "conversationsHeader": "සම්බන්ධතා සහ කණ්ඩායම්",
"contactsHeader": "සබඳතා", "contactsHeader": "සබඳතා",
"messagesHeader": "පණිවිඩ", "messagesHeader": "Conversations",
"settingsHeader": "සැකසුම්", "settingsHeader": "සැකසුම්",
"typingAlt": "මෙම සංවාදය සඳහා සජීවිකරණය ටයිප් කිරීම", "typingAlt": "මෙම සංවාදය සඳහා සජීවිකරණය ටයිප් කිරීම",
"contactAvatarAlt": "සම්බන්ධතා $name$සඳහා අවතාරය", "contactAvatarAlt": "සම්බන්ධතා $name$සඳහා අවතාරය",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "පණිවිඩ $count$ ක් මකන්නද?", "deleteMessagesQuestion": "පණිවිඩ $count$ ක් මකන්නද?",
"deleteMessageQuestion": "මෙම පණිවිඩය මකන්නද?", "deleteMessageQuestion": "මෙම පණිවිඩය මකන්නද?",
"deleteMessages": "පණිවිඩ මකන්න", "deleteMessages": "පණිවිඩ මකන්න",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "මෙම පණිවිඩය මකා ඇත", "messageDeletedPlaceholder": "මෙම පණිවිඩය මකා ඇත",
"from": "වෙතින්:", "from": "වෙතින්:",
@ -107,29 +108,30 @@
"sent": "යැවිණි", "sent": "යැවිණි",
"received": "ලැබී", "received": "ලැබී",
"sendMessage": "පණිවිඩය", "sendMessage": "පණිවිඩය",
"groupMembers": "{group} සාමාජිකයින්", "groupMembers": "Members",
"moreInformation": "තව තොරතුරු", "moreInformation": "තව තොරතුරු",
"resend": "නැවත යවන්න", "resend": "නැවත යවන්න",
"deleteConversationConfirmation": "මෙම සංවාදයේ ඇති පණිවිඩ ස්ථිරවම මකන්නද?", "deleteConversationConfirmation": "මෙම සංවාදයේ ඇති පණිවිඩ ස්ථිරවම මකන්නද?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "සියලුම දත්ත හිස් කරන්න", "clearAllData": "සියලුම දත්ත හිස් කරන්න",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "ඔබට මෙම සංවාදය මැකීමට අවශ්‍ය බව විශ්වාසද?", "deleteContactConfirmation": "ඔබට මෙම සංවාදය මැකීමට අවශ්‍ය බව විශ්වාසද?",
"quoteThumbnailAlt": "උපුටා ගත් පණිවිඩයෙන් රූපයේ සිඟිති රුව", "quoteThumbnailAlt": "උපුටා ගත් පණිවිඩයෙන් රූපයේ සිඟිති රුව",
"imageAttachmentAlt": "පණිවිඩයට රූපය අමුණා ඇත", "imageAttachmentAlt": "පණිවිඩයට රූපය අමුණා ඇත",
"videoAttachmentAlt": "වීඩියෝවේ තිර රුවක් පණිවිඩයට අමුණා ඇත", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "සංවාදයේ යවන ලද රූපය", "lightboxImageAlt": "සංවාදයේ යවන ලද රූපය",
"imageCaptionIconAlt": "මෙම රූපයට සිරස්තලයක් ඇති බව පෙන්වන නිරූපකය", "imageCaptionIconAlt": "මෙම රූපයට සිරස්තලයක් ඇති බව පෙන්වන නිරූපකය",
"addACaption": "සිරස්තලයක් එක් කරන්න...", "addACaption": "සිරස්තලයක් එක් කරන්න...",
"copySessionID": "සැසි හැඳුනුම්පත පිටපත් කරන්න", "copySessionID": "සැසි හැඳුනුම්පත පිටපත් කරන්න",
"copyOpenGroupURL": "සමූහයේ ඒ.ස.නි. පිටපත්කරන්න", "copyOpenGroupURL": "Copy Group URL",
"save": "සුරකින්න", "save": "සුරකින්න",
"saveLogToDesktop": "ලොගය ඩෙස්ක්ටොප් එකට සුරකින්න", "saveLogToDesktop": "ලොගය ඩෙස්ක්ටොප් එකට සුරකින්න",
"saved": "සුරැකිණි", "saved": "සුරැකිණි",
"tookAScreenshot": "$name$ තිර රුවක් ගත්තා", "tookAScreenshot": "$name$ තිර රුවක් ගත්තා",
"savedTheFile": "මාධ්‍ය $name$කින් සුරකින ලදී", "savedTheFile": "මාධ්‍ය $name$කින් සුරකින ලදී",
"linkPreviewsTitle": "සබැඳියේ පෙරදසුන් යවන්න", "linkPreviewsTitle": "සබැඳියේ පෙරදසුන් යවන්න",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "සබැඳි පෙරදසුන් යැවීමේදී ඔබට සම්පූර්ණ පාරදත්ත ආරක්ෂාවක් නොලැබෙනු ඇත.", "linkPreviewsConfirmMessage": "සබැඳි පෙරදසුන් යැවීමේදී ඔබට සම්පූර්ණ පාරදත්ත ආරක්ෂාවක් නොලැබෙනු ඇත.",
"mediaPermissionsTitle": "මයික්රෆෝනය", "mediaPermissionsTitle": "මයික්රෆෝනය",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "ටයිප් කිරීමේ දර්ශක", "typingIndicatorsSettingTitle": "ටයිප් කිරීමේ දර්ශක",
"zoomFactorSettingTitle": "විශාලන සාධකය", "zoomFactorSettingTitle": "විශාලන සාධකය",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "නම සහ අන්තර්ගතය", "nameAndMessage": "Name & Content",
"noNameOrMessage": "නමක් හෝ අන්තර්ගතයක් නැත", "noNameOrMessage": "නමක් හෝ අන්තර්ගතයක් නැත",
"nameOnly": "නම පමණි", "nameOnly": "නම පමණි",
"newMessage": "නව පණිවිඩය", "newMessage": "නව පණිවිඩය",
@ -192,6 +194,7 @@
"timerOption_12_hours": "පැය 12", "timerOption_12_hours": "පැය 12",
"timerOption_1_day": "දවස් 1", "timerOption_1_day": "දවස් 1",
"timerOption_1_week": "සති 1", "timerOption_1_week": "සති 1",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "නොපෙනී යන පණිවිඩ", "disappearingMessages": "නොපෙනී යන පණිවිඩ",
"changeNickname": "අපනාමය වෙනස් කරන්න", "changeNickname": "අපනාමය වෙනස් කරන්න",
"clearNickname": "පැහැදිලි අන්වර්ථ නාමය", "clearNickname": "පැහැදිලි අන්වර්ථ නාමය",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "පැ12", "timerOption_12_hours_abbreviated": "පැ12",
"timerOption_1_day_abbreviated": "ද1", "timerOption_1_day_abbreviated": "ද1",
"timerOption_1_week_abbreviated": "ස1", "timerOption_1_week_abbreviated": "ස1",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "පණිවිඩ නොපෙනී යාම අබල කර ඇත", "disappearingMessagesDisabled": "පණිවිඩ නොපෙනී යාම අබල කර ඇත",
"disabledDisappearingMessages": "$name$ පණිවිඩ නොපෙනී යාම අබල කළා.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "ඔබ පණිවිඩ නොපෙනී යාම අබල කළා.", "youDisabledDisappearingMessages": "ඔබ පණිවිඩ නොපෙනී යාම අබල කළා.",
"timerSetTo": "පණිවිඩ නොපෙනී යාමේ මුහුර්තකය $time$ ට සකසා ඇත", "timerSetTo": "පණිවිඩ නොපෙනී යාමේ මුහුර්තකය $time$ ට සකසා ඇත",
"noteToSelf": "ස්වයං සටහන්", "noteToSelf": "ස්වයං සටහන්",
"hideMenuBarTitle": "මෙනු තීරුව සඟවන්න", "hideMenuBarTitle": "මෙනු තීරුව සඟවන්න",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "නව සම්භාෂණයක් අරඹන්න", "startConversation": "නව සම්භාෂණයක් අරඹන්න",
"invalidNumberError": "වලංගු නොවන Session ID හෝ ONS නම", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "ONS නම විසඳීමට අසමත් විය", "failedResolveOns": "ONS නම විසඳීමට අසමත් විය",
"autoUpdateSettingTitle": "ස්වයං යාවත්කාලය", "autoUpdateSettingTitle": "ස්වයං යාවත්කාලය",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ සමූහයට එක්වුනා.", "multipleJoinedTheGroup": "$name$ සමූහයට එක්වුනා.",
"kickedFromTheGroup": "$name$ කණ්ඩායමෙන් ඉවත් කරන ලදී.", "kickedFromTheGroup": "$name$ කණ්ඩායමෙන් ඉවත් කරන ලදී.",
"multipleKickedFromTheGroup": "$name$ කණ්ඩායමෙන් ඉවත් කරන ලදී.", "multipleKickedFromTheGroup": "$name$ කණ්ඩායමෙන් ඉවත් කරන ලදී.",
"blockUser": "අවහිර", "block": "Block",
"unblockUser": "අනවහිර", "unblock": "Unblock",
"unblocked": "අනවහිර කළා", "unblocked": "අනවහිර කළා",
"blocked": "අවහිර කර ඇත", "blocked": "අවහිර කර ඇත",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "$name$ යාවත්කාල වෙමින්...", "updateGroupDialogTitle": "$name$ යාවත්කාල වෙමින්...",
"showRecoveryPhrase": "ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය", "showRecoveryPhrase": "ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය",
"yourSessionID": "ඔබගේ සැසි හැඳුනුම්පත", "yourSessionID": "ඔබගේ සැසි හැඳුනුම්පත",
"setAccountPasswordTitle": "ගිණුම් මුරපදය සකසන්න", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "ගිණුමේ මුරපදය වෙනස් කරන්න", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "ගිණුමේ මුරපදය ඉවත් කරන්න", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "ඔබගේ මුරපදය ඇතුල් කරන්න", "enterPassword": "ඔබගේ මුරපදය ඇතුල් කරන්න",
"confirmPassword": "මුරපදය තහවුරු කරන්න", "confirmPassword": "මුරපදය තහවුරු කරන්න",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "ඔබගේ මුරපදය ඇතුල් කරන්න", "showRecoveryPhrasePasswordRequest": "ඔබගේ මුරපදය ඇතුල් කරන්න",
"recoveryPhraseSavePromptMain": "ඔබේ ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය ඔබේ සැසි හැඳුනුම්පතේ ප්‍රධාන යතුරයි — ඔබට ඔබේ උපාංගයට ප්‍රවේශය අහිමි වුවහොත් ඔබේ සැසි හැඳුනුම්පත ප්‍රතිසාධනය කිරීමට ඔබට එය භාවිත කළ හැක. ඔබගේ ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය ආරක්ෂිත ස්ථානයක ගබඩා කරන්න, එය කිසිවෙකුට ලබා නොදෙන්න.", "recoveryPhraseSavePromptMain": "ඔබේ ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය ඔබේ සැසි හැඳුනුම්පතේ ප්‍රධාන යතුරයි — ඔබට ඔබේ උපාංගයට ප්‍රවේශය අහිමි වුවහොත් ඔබේ සැසි හැඳුනුම්පත ප්‍රතිසාධනය කිරීමට ඔබට එය භාවිත කළ හැක. ඔබගේ ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය ආරක්ෂිත ස්ථානයක ගබඩා කරන්න, එය කිසිවෙකුට ලබා නොදෙන්න.",
"invalidOpenGroupUrl": "වලංගු නොවන ඒ.ස.නි. කි", "invalidOpenGroupUrl": "වලංගු නොවන ඒ.ස.නි. කි",
"copiedToClipboard": "පසුරුපුවරුවට පිටපත් විය", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "මුරපදය", "password": "මුරපදය",
"setPassword": "මුරපදය සකසන්න", "setPassword": "මුරපදය සකසන්න",
@ -295,12 +299,12 @@
"setPasswordInvalid": "මුරපද නොගැලපේ", "setPasswordInvalid": "මුරපද නොගැලපේ",
"changePasswordInvalid": "ඔබ ඇතුල් කළ පරණ මුරපදය සාවද්‍යයි", "changePasswordInvalid": "ඔබ ඇතුල් කළ පරණ මුරපදය සාවද්‍යයි",
"removePasswordInvalid": "සාවද්‍ය මුරපදයකි", "removePasswordInvalid": "සාවද්‍ය මුරපදයකි",
"setPasswordTitle": "මුරපදය සකසන්න", "setPasswordTitle": "Password Set",
"changePasswordTitle": "මුරපදය වෙනස් කළා", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "මුරපදය ඉවත් කරන්න", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "ඔබගේ මුරපදය සකසා ඇත. කරුණාකර එය ආරක්ෂිතව තබා ගන්න.", "setPasswordToastDescription": "ඔබගේ මුරපදය සකසා ඇත. කරුණාකර එය ආරක්ෂිතව තබා ගන්න.",
"changePasswordToastDescription": "ඔබගේ මුරපදය වෙනස් කර ඇත. කරුණාකර එය ආරක්ෂිතව තබා ගන්න.", "changePasswordToastDescription": "ඔබගේ මුරපදය වෙනස් කර ඇත. කරුණාකර එය ආරක්ෂිතව තබා ගන්න.",
"removePasswordToastDescription": "ඔබ ඔබගේ මුරපදය ඉවත් කර ඇත.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "සම්බන්ධ වෙමින්...", "connectingToServer": "සම්බන්ධ වෙමින්...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "පෙනුම", "appearanceSettingsTitle": "පෙනුම",
"privacySettingsTitle": "පෞද්ගලිකත්වය", "privacySettingsTitle": "පෞද්ගලිකත්වය",
"notificationsSettingsTitle": "දැනුම්දීම්", "notificationsSettingsTitle": "දැනුම්දීම්",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "ඔබගේ ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය ඇතුලත් කරන්න", "recoveryPhraseEmpty": "ඔබගේ ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය ඇතුලත් කරන්න",
"displayNameEmpty": "කරුණාකර සංදර්ශක නාමයක් ඇතුළත් කරන්න", "displayNameEmpty": "කරුණාකර සංදර්ශක නාමයක් ඇතුළත් කරන්න",
"displayNameTooLong": "Display name is too long",
"members": "සාමාජිකයින් $count$", "members": "සාමාජිකයින් $count$",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "කෙටි සමූහ නාමයක් ඇතුල් කරන්න", "invalidGroupNameTooLong": "කෙටි සමූහ නාමයක් ඇතුල් කරන්න",
"pickClosedGroupMember": "කරුණාකර අවම වශයෙන් කණ්ඩායම් සාමාජිකයින් 1 දෙනෙකුවත් තෝරා ගන්න", "pickClosedGroupMember": "කරුණාකර අවම වශයෙන් කණ්ඩායම් සාමාජිකයින් 1 දෙනෙකුවත් තෝරා ගන්න",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "අවහිර කළ සබඳතා නැත", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "නැත්නම් මේ එකකට එකතු වෙන්න...", "orJoinOneOfThese": "නැත්නම් මේ එකකට එකතු වෙන්න...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "ඔබට $name$ එවන ලද මාධ්‍යය බාගැනීමට අවශ්‍ය බව විශ්වාසද?", "trustThisContactDialogDescription": "ඔබට $name$ එවන ලද මාධ්‍යය බාගැනීමට අවශ්‍ය බව විශ්වාසද?",
"pinConversation": "පින් සංවාදය", "pinConversation": "පින් සංවාදය",
"unpinConversation": "සංවාදය ඉවත් කරන්න", "unpinConversation": "සංවාදය ඉවත් කරන්න",
"markUnread": "Mark Unread",
"showUserDetails": "පරිශීලක විස්තර පෙන්වන්න", "showUserDetails": "පරිශීලක විස්තර පෙන්වන්න",
"sendRecoveryPhraseTitle": "ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය යැවීම", "sendRecoveryPhraseTitle": "ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය යැවීම",
"sendRecoveryPhraseMessage": "ඔබ ඔබේ ගිණුමට ප්‍රවේශ වීමට භාවිත කළ හැකි ඔබේ ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය යැවීමට උත්සාහ කරයි. ඔබට මෙම පණිවිඩය යැවීමට අවශ්‍ය බව විශ්වාසද?", "sendRecoveryPhraseMessage": "ඔබ ඔබේ ගිණුමට ප්‍රවේශ වීමට භාවිත කළ හැකි ඔබේ ප්‍රතිසාධන වාක්‍ය ඛණ්ඩය යැවීමට උත්සාහ කරයි. ඔබට මෙම පණිවිඩය යැවීමට අවශ්‍ය බව විශ්වාසද?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "ඔබට මෙම උපාංගයෙන් පමණක් දත්ත මැකීමට අවශ්‍යද?", "dialogClearAllDataDeletionFailedTitleQuestion": "ඔබට මෙම උපාංගයෙන් පමණක් දත්ත මැකීමට අවශ්‍යද?",
"dialogClearAllDataDeletionFailedMultiple": "එම සේවා නෝඩ් මගින් මකා නොදැමූ දත්ත: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "එම සේවා නෝඩ් මගින් මකා නොදැමූ දත්ත: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "ඔබට ඔබගේ උපාංග දත්ත පමණක් මැකීමට අවශ්‍ය බව විශ්වාසද?", "areYouSureDeleteDeviceOnly": "ඔබට ඔබගේ උපාංග දත්ත පමණක් මැකීමට අවශ්‍ය බව විශ්වාසද?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "ඔබට රහස්‍යතා සැකසීම් තුළ 'හඬ සහ වීඩියෝ ඇමතුම්' අවසරය සබල කිරීමට අවශ්‍ය නිසා '$name$' වෙතින් ඇමතුම මඟ හැරී ඇත.", "callMissedCausePermission": "ඔබට රහස්‍යතා සැකසීම් තුළ 'හඬ සහ වීඩියෝ ඇමතුම්' අවසරය සබල කිරීමට අවශ්‍ය නිසා '$name$' වෙතින් ඇමතුම මඟ හැරී ඇත.",
"callMissedNotApproved": "ඔබ තවමත් මෙම සංවාදය අනුමත කර නොමැති බැවින් '$name$' වෙතින් ඇමතුම මග හැරී ඇත. මුලින්ම ඔවුන්ට පණිවිඩයක් යවන්න.", "callMissedNotApproved": "ඔබ තවමත් මෙම සංවාදය අනුමත කර නොමැති බැවින් '$name$' වෙතින් ඇමතුම මග හැරී ඇත. මුලින්ම ඔවුන්ට පණිවිඩයක් යවන්න.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "ඔබ $name$ඇමතුවා", "startedACall": "ඔබ $name$ඇමතුවා",
"answeredACall": "$name$සමඟ අමතන්න", "answeredACall": "$name$සමඟ අමතන්න",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "ඔබට නව මිතුරු ඉල්ලීමක් ඇත", "youHaveANewFriendRequest": "ඔබට නව මිතුරු ඉල්ලීමක් ඇත",
"clearAllConfirmationTitle": "සියලුම පණිවිඩ ඉල්ලීම් හිස් කරන්න", "clearAllConfirmationTitle": "සියලුම පණිවිඩ ඉල්ලීම් හිස් කරන්න",
"clearAllConfirmationBody": "ඔබට සියලු පණිවිඩ ඉල්ලීම් ඉවත් කිරීමට අවශ්‍ය බව විශ්වාසද?", "clearAllConfirmationBody": "ඔබට සියලු පණිවිඩ ඉල්ලීම් ඉවත් කිරීමට අවශ්‍ය බව විශ්වාසද?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "සඟවන්න", "hideBanner": "සඟවන්න",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "ඔබගේ පණිවිඩ ඉල්ලීම එන ලිපි බලන්න", "openMessageRequestInboxDescription": "ඔබගේ පණිවිඩ ඉල්ලීම එන ලිපි බලන්න",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,20 +28,20 @@
"viewMenuToggleFullScreen": "Celá obrazovka", "viewMenuToggleFullScreen": "Celá obrazovka",
"viewMenuToggleDevTools": "Nástroje pre vývojárov", "viewMenuToggleDevTools": "Nástroje pre vývojárov",
"contextMenuNoSuggestions": "Žiadne Návrhy", "contextMenuNoSuggestions": "Žiadne Návrhy",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Komunitná pozvánka",
"joinOpenGroupAfterInvitationConfirmationTitle": "Pripojiť sa do $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Pripojiť sa do $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Určite sa chcete pripojiť ku komunite $roomName$?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Zadajte Session ID alebo ONS meno", "enterSessionIDOrONSName": "Zadajte Session ID alebo ONS meno",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Začnite novú konverzáciu zadaním niekoho Session ID alebo zdieľajte s ním svoje Session ID.",
"loading": "Nahrávanie...", "loading": "Nahrávanie...",
"done": "Hotovo", "done": "Hotovo",
"youLeftTheGroup": "Opustili ste skupinu", "youLeftTheGroup": "Opustili ste skupinu",
"youGotKickedFromGroup": "Boli ste odstránení zo skupiny.", "youGotKickedFromGroup": "Boli ste odstránení zo skupiny.",
"unreadMessages": "Neprečítané Správy", "unreadMessages": "Neprečítané správy",
"debugLogExplanation": "Tento záznam bude uložený na tvoju plochu.", "debugLogExplanation": "Tento záznam sa uloží na vašu pracovnú plochu.",
"reportIssue": "Report a Bug", "reportIssue": "Nahlásiť chybu",
"markAllAsRead": "Označiť Všetko ako Prečítané", "markAllAsRead": "Označiť všetko ako prečítané",
"incomingError": "Chyba pri spracovaní prichádzajúcej správy", "incomingError": "Chyba pri spracovaní prichádzajúcej správy",
"media": "Médiá", "media": "Médiá",
"mediaEmptyState": "Táto konverzácia neobsahuje žiadne médiá", "mediaEmptyState": "Táto konverzácia neobsahuje žiadne médiá",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Zvolenú prílohu sa nepodarilo načítať.", "unableToLoadAttachment": "Zvolenú prílohu sa nepodarilo načítať.",
"offline": "Offline", "offline": "Offline",
"debugLog": "Ladiaci Log", "debugLog": "Ladiaci Log",
"showDebugLog": "Export Logs", "showDebugLog": "Exportovať záznamy",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exportujte vaše záznamy a potom súbor odošlite prostredníctvom služby Session Pomocník.",
"goToReleaseNotes": "Navštíviť Poznámky k Vydaniu", "goToReleaseNotes": "Navštíviť Poznámky k Vydaniu",
"goToSupportPage": "Navštíviť Stránku Podpory", "goToSupportPage": "Navštíviť Stránku Podpory",
"about": "Informácie", "about": "Informácie",
@ -72,7 +72,7 @@
"noSearchResults": "Žiadne výsledky pre \"$searchTerm$\"", "noSearchResults": "Žiadne výsledky pre \"$searchTerm$\"",
"conversationsHeader": "Kontakty a skupiny", "conversationsHeader": "Kontakty a skupiny",
"contactsHeader": "Kontakty", "contactsHeader": "Kontakty",
"messagesHeader": "Správy", "messagesHeader": "Conversations",
"settingsHeader": "Nastavenia", "settingsHeader": "Nastavenia",
"typingAlt": "Animácia písania pre túto konverzáciu", "typingAlt": "Animácia písania pre túto konverzáciu",
"contactAvatarAlt": "Avatar kontaktu $name$", "contactAvatarAlt": "Avatar kontaktu $name$",
@ -86,7 +86,7 @@
"audio": "Zvuk", "audio": "Zvuk",
"video": "Video", "video": "Video",
"photo": "Fotka", "photo": "Fotka",
"cannotUpdate": "Nemožno aktualizovať", "cannotUpdate": "Nie je možné aktualizovať",
"cannotUpdateDetail": "Nepodarilo sa aktualizovať Session, avšak je dostupná nová verzia. Prosím, choďte na https://getsession.org/ a nainštalujte novú verziu manuálne, potom buď kontaktujte podporu alebo podajte chybové hlásenie o tomto probléme.", "cannotUpdateDetail": "Nepodarilo sa aktualizovať Session, avšak je dostupná nová verzia. Prosím, choďte na https://getsession.org/ a nainštalujte novú verziu manuálne, potom buď kontaktujte podporu alebo podajte chybové hlásenie o tomto probléme.",
"ok": "OK", "ok": "OK",
"cancel": "Zrušiť", "cancel": "Zrušiť",
@ -97,27 +97,29 @@
"messageDeletionForbidden": "Nemáte právo vymazať správy ostatných", "messageDeletionForbidden": "Nemáte právo vymazať správy ostatných",
"deleteJustForMe": "Vymazať iba pre mňa", "deleteJustForMe": "Vymazať iba pre mňa",
"deleteForEveryone": "Vymazať pre všetkých", "deleteForEveryone": "Vymazať pre všetkých",
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Odstrániť $count$ správ?",
"deleteMessageQuestion": "Vymazať túto správu?", "deleteMessageQuestion": "Vymazať túto správu?",
"deleteMessages": "Zmazať správy", "deleteMessages": "Zmazať správy",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"deleted": "$count$ vymazaných",
"messageDeletedPlaceholder": "Táto správa bola vymazaná", "messageDeletedPlaceholder": "Táto správa bola vymazaná",
"from": "Od", "from": "Od",
"to": "pre", "to": "pre",
"sent": "Odoslaná", "sent": "Odoslaná",
"received": "Prijatá", "received": "Prijatá",
"sendMessage": "Poslať správu", "sendMessage": "Poslať správu",
"groupMembers": "Členy skupiny", "groupMembers": "Členovia",
"moreInformation": "Viac informácií", "moreInformation": "Viac informácií",
"resend": "Znovu odoslať", "resend": "Znovu odoslať",
"deleteConversationConfirmation": "Natrvalo zmazať túto konverzáciu?", "deleteConversationConfirmation": "Natrvalo zmazať túto konverzáciu?",
"clear": "Clear", "clear": "Vyčistiť",
"clearAllData": "Odstrániť všetky dáta", "clearAllData": "Odstrániť všetky údaje",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Týmto sa natrvalo odstránia vaše správy a kontakty.",
"deleteAccountFromLogin": "Ste si istí, že chcete vaše zariadenie vyčistiť?",
"deleteContactConfirmation": "Naozaj chcete odstrániť túto konverzáciu?", "deleteContactConfirmation": "Naozaj chcete odstrániť túto konverzáciu?",
"quoteThumbnailAlt": "Náhľad obrázku z citovanej správy.", "quoteThumbnailAlt": "Náhľad obrázku z citovanej správy.",
"imageAttachmentAlt": "Obrázok pripojený k správe", "imageAttachmentAlt": "Obrázok pripojený k správe",
"videoAttachmentAlt": "Náhľad videa pripojený k správe", "videoAttachmentAlt": "Snímka obrazovky videa v správe",
"lightboxImageAlt": "Obrázok z konverzácie", "lightboxImageAlt": "Obrázok z konverzácie",
"imageCaptionIconAlt": "Ikona indukujúca, že tento obrázok má popis", "imageCaptionIconAlt": "Ikona indukujúca, že tento obrázok má popis",
"addACaption": "Pridaj popis...", "addACaption": "Pridaj popis...",
@ -129,44 +131,44 @@
"tookAScreenshot": "$name$ odfotil obrazovku", "tookAScreenshot": "$name$ odfotil obrazovku",
"savedTheFile": "$name$ uložil médiá", "savedTheFile": "$name$ uložil médiá",
"linkPreviewsTitle": "Posielať náhľady odkazov", "linkPreviewsTitle": "Posielať náhľady odkazov",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generovať náhľady odkazov pre podporované adresy URL.",
"linkPreviewsConfirmMessage": "Nebudeťe mať plnú ochranu pred metadátami pri posielaní náhľadov na odkazy.", "linkPreviewsConfirmMessage": "Pri odosielaní náhľadov odkazov nebudete mať úplnú ochranu meta údajov.",
"mediaPermissionsTitle": "Mikrofón", "mediaPermissionsTitle": "Mikrofón",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Povoliť prístup k mikrofónu.",
"spellCheckTitle": "Kontrola pravopisu", "spellCheckTitle": "Kontrola pravopisu",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Povoliť kontrolu pravopisu pri písaní.",
"spellCheckDirty": "Musíťe reštartovať Session pre použitie vašich nových nastavení", "spellCheckDirty": "Ak chcete použiť nové nastavenia, musíte reštartovať aplikáciu Session",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Odosielať potvrdenia o prečítaní v individuálnych konverzáciách.",
"readReceiptSettingTitle": "Potvrdenia o Prečítaní", "readReceiptSettingTitle": "Potvrdenia o prečítaní",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Zobraziť a zdieľať indikátory písania v individuálnych konverzáciách.",
"typingIndicatorsSettingTitle": "Indikátory Písania", "typingIndicatorsSettingTitle": "Indikátory písania",
"zoomFactorSettingTitle": "Faktor Zväčšenia", "zoomFactorSettingTitle": "Faktor zväčšenia",
"themesSettingTitle": "Themes", "themesSettingTitle": "Motívy",
"primaryColor": "Primary Color", "primaryColor": "Hlavná farba",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Hlavná farba zelená",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Hlavná farba modrá",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Hlavná farba žltá",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Hlavná farba ružová",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Hlavná farba fialová",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Hlavná farba oranžová",
"primaryColorRed": "Primary color red", "primaryColorRed": "Hlavná farba červená",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klasická tmavá",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klasická svetlá",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Tmavý oceán",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Svetlý oceán",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Prečistiť komunity",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Odstrániť správy staršie ako 6 mesiacov zo komunít, ktoré majú viac ako 2 000 správ.",
"enable": "Enable", "enable": "Povoliť",
"keepDisabled": "Keep disabled", "keepDisabled": "Ponechať vypnuté",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Informácie zobrazené v oznámeniach.",
"nameAndMessage": "Meno a správu", "nameAndMessage": "Meno a obsah",
"noNameOrMessage": "Neukázať meno ani správu", "noNameOrMessage": "Neukázať meno ani správu",
"nameOnly": "Iba meno", "nameOnly": "Iba meno",
"newMessage": "Nová správa", "newMessage": "Nová správa",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Vytvoriť konverzáciu s novým kontaktom",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Vytvoriť skupinu s existujúcimi kontaktmi",
"joinACommunity": "Join a community", "joinACommunity": "Pripojiť sa ku komunite",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Vyberte akciu na začatie konverzácie",
"newMessages": "Nové správy", "newMessages": "Nové správy",
"notificationMostRecentFrom": "Najnovšie od:", "notificationMostRecentFrom": "Najnovšie od:",
"notificationFrom": "Od:", "notificationFrom": "Od:",
@ -174,7 +176,7 @@
"sendFailed": "Odoslanie zlyhalo", "sendFailed": "Odoslanie zlyhalo",
"mediaMessage": "Multimediálna správa", "mediaMessage": "Multimediálna správa",
"messageBodyMissing": "Prosím, zadajte text správy.", "messageBodyMissing": "Prosím, zadajte text správy.",
"messageBody": "Message body", "messageBody": "Obsah správy",
"unblockToSend": "Pre odoslanie správy kontakt odblokujte.", "unblockToSend": "Pre odoslanie správy kontakt odblokujte.",
"unblockGroupToSend": "Odblokujte skupinu pre poslanie správy.", "unblockGroupToSend": "Odblokujte skupinu pre poslanie správy.",
"youChangedTheTimer": "Nastavili ste časovač miznúcich správ na $time$", "youChangedTheTimer": "Nastavili ste časovač miznúcich správ na $time$",
@ -192,10 +194,11 @@
"timerOption_12_hours": "12 hodín", "timerOption_12_hours": "12 hodín",
"timerOption_1_day": "1 deň", "timerOption_1_day": "1 deň",
"timerOption_1_week": "1 týždeň", "timerOption_1_week": "1 týždeň",
"timerOption_2_weeks": "2 týždne",
"disappearingMessages": "Miznúce správy", "disappearingMessages": "Miznúce správy",
"changeNickname": "Zmeniť Prezývku", "changeNickname": "Zmeniť prezývku",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
"nicknamePlaceholder": "Nová Prezývka", "nicknamePlaceholder": "Nová prezývka",
"changeNicknameMessage": "Zadať prezývku pre tohto používateľa", "changeNicknameMessage": "Zadať prezývku pre tohto používateľa",
"timerOption_0_seconds_abbreviated": "vypnutý", "timerOption_0_seconds_abbreviated": "vypnutý",
"timerOption_5_seconds_abbreviated": "5s", "timerOption_5_seconds_abbreviated": "5s",
@ -206,21 +209,22 @@
"timerOption_30_minutes_abbreviated": "30m", "timerOption_30_minutes_abbreviated": "30m",
"timerOption_1_hour_abbreviated": "1h", "timerOption_1_hour_abbreviated": "1h",
"timerOption_6_hours_abbreviated": "6h", "timerOption_6_hours_abbreviated": "6h",
"timerOption_12_hours_abbreviated": "1d", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1t", "timerOption_1_week_abbreviated": "1t",
"timerOption_2_weeks_abbreviated": "2t",
"disappearingMessagesDisabled": "Miznúce správy vypnuté", "disappearingMessagesDisabled": "Miznúce správy vypnuté",
"disabledDisappearingMessages": "$name$ vypol/la miznúce správy", "disabledDisappearingMessages": "$name$ vypol/la miznúce správy.",
"youDisabledDisappearingMessages": "Vypli ste miznúce správy", "youDisabledDisappearingMessages": "Vypli ste miznúce správy",
"timerSetTo": "Časovač nastavený na $time$", "timerSetTo": "Časovač nastavený na $time$",
"noteToSelf": "Poznámka pre seba", "noteToSelf": "Poznámka pre seba",
"hideMenuBarTitle": "Skryť Panel Menu", "hideMenuBarTitle": "Skryť panel ponuky",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Prepnúť viditeľnosť systémového panela ponuky.",
"startConversation": "Začať nový rozhovor…", "startConversation": "Začať nový rozhovor…",
"invalidNumberError": "Neplatné číslo", "invalidNumberError": "Skontrolujte prosím Session ID alebo názov ONS a skúste to znova",
"failedResolveOns": "Nepodarilo sa vyriešiť ONS meno", "failedResolveOns": "Nepodarilo sa rozpoznať názov ONS",
"autoUpdateSettingTitle": "Auto Akualizácie", "autoUpdateSettingTitle": "Automatická aktualizácia",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatická kontrola aktualizácií pri spustení.",
"autoUpdateNewVersionTitle": "Dostupná aktualizácia pre Session", "autoUpdateNewVersionTitle": "Dostupná aktualizácia pre Session",
"autoUpdateNewVersionMessage": "Je k dispozícii nová verzia Session.", "autoUpdateNewVersionMessage": "Je k dispozícii nová verzia Session.",
"autoUpdateNewVersionInstructions": "Reštartujte Session pre dokončenie aktualizácie.", "autoUpdateNewVersionInstructions": "Reštartujte Session pre dokončenie aktualizácie.",
@ -228,265 +232,277 @@
"autoUpdateLaterButtonLabel": "Neskôr", "autoUpdateLaterButtonLabel": "Neskôr",
"autoUpdateDownloadButtonLabel": "Stiahnuť", "autoUpdateDownloadButtonLabel": "Stiahnuť",
"autoUpdateDownloadedMessage": "The new update has been downloaded.", "autoUpdateDownloadedMessage": "The new update has been downloaded.",
"autoUpdateDownloadInstructions": "Chceťe stiahnuť akualizáciu?", "autoUpdateDownloadInstructions": "Chcete si stiahnuť aktualizáciu?",
"leftTheGroup": "$name$ opustil/a skupinu", "leftTheGroup": "$name$ opustil/a skupinu",
"multipleLeftTheGroup": "$name$ opustil/a skupinu", "multipleLeftTheGroup": "$name$ opustil/a skupinu",
"updatedTheGroup": "Skupina bola aktualizovaná", "updatedTheGroup": "Skupina bola aktualizovaná",
"titleIsNow": "Názov skupiny sa zmenil na \"$name$\"", "titleIsNow": "Názov skupiny sa zmenil na \"$name$\"",
"joinedTheGroup": "$name$ sa pripojil/a k skupine", "joinedTheGroup": "$name$ sa pripojil/a k skupine",
"multipleJoinedTheGroup": "$names$ sa pripojili k skupine", "multipleJoinedTheGroup": "$names$ sa pripojili k skupine",
"kickedFromTheGroup": "$name$ bol odstránený zo skupiny.", "kickedFromTheGroup": "$name$ bol/a odstránený zo skupiny.",
"multipleKickedFromTheGroup": "$name$ boli odstánení zo skupiny.", "multipleKickedFromTheGroup": "$name$ boli odstránení zo skupiny.",
"blockUser": "Blokovať", "block": "Block",
"unblockUser": "Odblokovať", "unblock": "Unblock",
"unblocked": "Odblokovaný", "unblocked": "Odblokovaný",
"blocked": "Blokovaný", "blocked": "Zablokovaný",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Zablokované kontakty",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Konverzácie",
"unbanUser": "Odvolať Ban", "unbanUser": "Zrušiť zákaz používateľa",
"userUnbanned": "Ban bol úspešne odvolaný", "userUnbanned": "Zákaz používateľa bol úspešne zrušený",
"userUnbanFailed": "Odvolanie banu zlyhalo!", "userUnbanFailed": "Zlyhalo zrušenie zákazu!",
"banUser": "Zabanovať Užívateľa", "banUser": "Zakázať používateľa",
"banUserAndDeleteAll": "Zabanovať a Všetko Vymazať", "banUserAndDeleteAll": "Zakázať a vymazať všetko",
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Ban neúspešný!", "userBanFailed": "Zakázanie zlyhalo!",
"leaveGroup": "Opustiť Skupinu", "leaveGroup": "Opustiť skupinu",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Opustiť skupinu a odstrániť pre všetkých",
"leaveGroupConfirmation": "Ste si istý že chcete opustiť túto skupinu?", "leaveGroupConfirmation": "Ste si istí, že chcete opustiť túto skupinu?",
"leaveGroupConfirmationAdmin": "Keďže ste admin tejto skupiny, ak odídete bude odstránená pre každého terajšieho člena. Ste si istý že chcete opustiť skupinu?", "leaveGroupConfirmationAdmin": "Keďže ste správcom tejto skupiny, ak ju opustíte, bude odstránená pre všetkých súčasných členov. Ste si istí, že chcete opustiť túto skupinu?",
"cannotRemoveCreatorFromGroup": "Nemožno odstrániť tohto používateľa", "cannotRemoveCreatorFromGroup": "Tohto používateľa nie je možné odstrániť",
"cannotRemoveCreatorFromGroupDesc": "Nemôžete odstrániť tohto používateľa keďže oni vytvorili túto skupinu.", "cannotRemoveCreatorFromGroupDesc": "Tohto používateľa nemôžete odstrániť, pretože je tvorcom skupiny.",
"noContactsForGroup": "Zatiaľ nemáte žiadne kontakty", "noContactsForGroup": "Zatiaľ nemáte žiadne kontakty",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Nepodarilo sa pridať používateľa ako správcu",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Nepodarilo sa odstrániť používateľa zo zoznamu správcov",
"copyMessage": "Kopírovať text správy", "copyMessage": "Kopírovať text správy",
"selectMessage": "Vyberte správu", "selectMessage": "Vybrať správu",
"editGroup": "Upraviť skupinu", "editGroup": "Upraviť skupinu",
"editGroupName": "Upraviť názov skupiny", "editGroupName": "Upraviť názov skupiny",
"updateGroupDialogTitle": "Aktualizujem $name$...", "updateGroupDialogTitle": "Aktualizujem $name$...",
"showRecoveryPhrase": "Obnovovacia Fráza", "showRecoveryPhrase": "Fráza pre obnovu",
"yourSessionID": "Vaše Session ID", "yourSessionID": "Vaše Session ID",
"setAccountPasswordTitle": "Nastaviť Heslo Účtu", "setAccountPasswordTitle": "Heslo",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Vyžadovať heslo na odomknutie Session.",
"changeAccountPasswordTitle": "Zmeniť Heslo Účtu", "changeAccountPasswordTitle": "Zmeniť heslo",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Zmeňte heslo potrebné na odomknutie Session.",
"removeAccountPasswordTitle": "Odstrániť Heslo Účtu", "removeAccountPasswordTitle": "Odstrániť heslo",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Odstrániť heslo potrebné na odomknutie Session.",
"enterPassword": "Prosím zadajte Vaše heslo", "enterPassword": "Prosím zadajte vaše heslo",
"confirmPassword": "Potvrdiť Heslo", "confirmPassword": "Potvrdiť heslo",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Zadajte prosím svoje nové heslo",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Potvrdiť nové heslo",
"showRecoveryPhrasePasswordRequest": "Prosím zadajte Vaše heslo", "showRecoveryPhrasePasswordRequest": "Zadajte prosím vaše heslo",
"recoveryPhraseSavePromptMain": "Vaša obnovovacia fráza je hlavný kľúč k Vášmu Session ID - môžete ho použíť na obnovenie Vášho Session ID ak stratíte prístup k vášmu zariadeniu. Uložte vašu obnovovaciu frázu na bezpečnom mieste, a nedávajte ju nikomu.", "recoveryPhraseSavePromptMain": "Vaša fráza na obnovu je hlavný kľúč k vášmu ID relácie — môžete ho použiť na obnovenie ID relácie, ak stratíte prístup k zariadeniu. Svoju frázu na obnovenie uložte na bezpečné miesto a nikomu ju nedávajte.",
"invalidOpenGroupUrl": "Nesprávna URL", "invalidOpenGroupUrl": "Neplatná URL adresa",
"copiedToClipboard": "Kopírované do schránky", "copiedToClipboard": "Skopírované",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Zadajte heslo",
"password": "Heslo", "password": "Heslo",
"setPassword": "Nastaviť Heslo", "setPassword": "Nastaviť heslo",
"changePassword": "Zmeniť Heslo", "changePassword": "Zmeniť heslo",
"createPassword": "Create your password", "createPassword": "Vytvorte si heslo",
"removePassword": "Odstrániť Heslo", "removePassword": "Odstrániť heslo",
"maxPasswordAttempts": "Nesprávne heslo. Chceťe resetovať databázu?", "maxPasswordAttempts": "Neplatné heslo. Chcete obnoviť databázu?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Zadajte prosím svoje aktuálne heslo",
"invalidOldPassword": "Staré heslo je nesprávne", "invalidOldPassword": "Staré heslo nie je platné",
"invalidPassword": "Nesprávne heslo", "invalidPassword": "Neplatné heslo",
"noGivenPassword": "Prosím zadajte Vaše heslo", "noGivenPassword": "Prosím zadajte vaše heslo",
"passwordsDoNotMatch": "Heslá sa nezhodujú", "passwordsDoNotMatch": "Heslá sa nezhodujú",
"setPasswordInvalid": "Heslá sa nezhodujú", "setPasswordInvalid": "Heslá sa nezhodujú",
"changePasswordInvalid": "Staré heslo ktoré ste zadali je nesprávne", "changePasswordInvalid": "Staré heslo, ktoré ste zadali, je nesprávne",
"removePasswordInvalid": "Nesprávne heslo", "removePasswordInvalid": "Nesprávne heslo",
"setPasswordTitle": "Nastaviť Heslo", "setPasswordTitle": "Heslo nastavené",
"changePasswordTitle": "Zmenené Heslo", "changePasswordTitle": "Heslo bolo zmenené",
"removePasswordTitle": "Odstránené Heslo", "removePasswordTitle": "Heslo bolo odstránené",
"setPasswordToastDescription": "Vaše heslo bolo nastavené. Prosím, bezpečne ho uchovajte.", "setPasswordToastDescription": "Vaše heslo bolo nastavené. Uchovajte ho prosím v bezpečí.",
"changePasswordToastDescription": "Vaše heslo bolo zmenené. Prosím, bezpečne ho uchovajte.", "changePasswordToastDescription": "Vaše heslo bolo zmenené. Uchovajte ho prosím v bezpečí.",
"removePasswordToastDescription": "Odstránili ste Vaše heslo.", "removePasswordToastDescription": "Vaše heslo bolo odstránené.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "K tejto komunite ste už pripojení",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Nie je možné sa pripojiť ku komunite",
"connectingToServer": "Pripájanie...", "connectingToServer": "Pripájanie...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Úspešné pripojenie ku komunite",
"setPasswordFail": "Nepodarilo sa nastaviť heslo", "setPasswordFail": "Nepodarilo sa nastaviť heslo",
"passwordLengthError": "Heslo musí mať dĺžku medzi 6 až 64 písmen", "passwordLengthError": "Heslo musí mať dĺžku 6 až 64 znakov",
"passwordTypeError": "Heslo musí byť text", "passwordTypeError": "Heslo musí mať podobu reťazca",
"passwordCharacterError": "Heslo môže obsahovať iba písmená, čísla a symboly", "passwordCharacterError": "Heslo môže obsahovať iba písmená, čísla a symboly",
"remove": "Odstrániť", "remove": "Odstrániť",
"invalidSessionId": "Neplátné Session ID", "invalidSessionId": "Neplatné Session ID",
"invalidPubkeyFormat": "Nesprávny Formát Pubkey", "invalidPubkeyFormat": "Neplatný formát kľúča Pubkey",
"emptyGroupNameError": "Prosím zadajte meno skupiny", "emptyGroupNameError": "Prosím zadajte názov skupiny",
"editProfileModalTitle": "Profil", "editProfileModalTitle": "Profil",
"groupNamePlaceholder": "Meno Skupiny", "groupNamePlaceholder": "Názov skupiny",
"inviteContacts": "Pozvať Kontakty", "inviteContacts": "Pozvať kontakty",
"addModerators": "Add Admins", "addModerators": "Pridať správcov",
"removeModerators": "Remove Admins", "removeModerators": "Odstrániť správcov",
"addAsModerator": "Add as Admin", "addAsModerator": "Pridať ako správca",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Odstrániť zo správcov",
"add": "Pridať", "add": "Pridať",
"addingContacts": "Pridávanie kontaktov do", "addingContacts": "Pridávanie kontaktov do $name$",
"noContactsToAdd": "Žiadne kontakty na pridanie", "noContactsToAdd": "Žiadne kontakty na pridanie",
"noMembersInThisGroup": "Žiadny iný členovia v tejto skupine", "noMembersInThisGroup": "Žiadny iný členovia v tejto skupine",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "Žiadni administrátori na odstránenie",
"onlyAdminCanRemoveMembers": "Nie ste tvorca", "onlyAdminCanRemoveMembers": "Nie ste tvorcom",
"onlyAdminCanRemoveMembersDesc": "Iba tvorca skupiny môže odstrániť používateľov", "onlyAdminCanRemoveMembersDesc": "Iba tvorca skupiny môže odstrániť používateľov",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Keep in System Tray", "startInTrayTitle": "Ponechať v systémovej lište",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Po zatvorení okna ponechať aplikáciu Session spustenú na pozadí.",
"yourUniqueSessionID": "Povedz ahoj tvojmu Session ID", "yourUniqueSessionID": "Povedz ahoj tvojmu Session ID",
"allUsersAreRandomly...": "Tvoj Session ID je unikátna adresa ľudia môžu používať aby Vás kontaktovali cez Session. Zo žiadným spojením ku vašej reálnej identite, Váš Session ID je úplne anonymný a súkromný.", "allUsersAreRandomly...": "Vaše Session ID je jedinečná adresa, ktorú môžu ľudia použiť na kontakt s vami v službe Session. Vaše ID relácie nie je nijako spojené s vašou skutočnou identitou, je úplne anonymné a súkromné.",
"getStarted": "Začať", "getStarted": "Začať",
"createSessionID": "Vytvoriť Session ID", "createSessionID": "Vytvoriť Session ID",
"recoveryPhrase": "Obnovoacia Fráza", "recoveryPhrase": "Obnovovacia fráza",
"enterRecoveryPhrase": "Zadajte vašu obnovovaciu frázu", "enterRecoveryPhrase": "Zadajte vašu frázu pre obnovu",
"displayName": "Používateľské Meno", "displayName": "Zobrazované meno",
"anonymous": "Anonymný", "anonymous": "Anonymné",
"removeResidueMembers": "Kliknutím ok tiež vymažete týchto používateľov keďže odišli zo skupiny.", "removeResidueMembers": "Kliknutím na tlačidlo ok sa odstránia aj tí členovia, ktorí opustili skupinu.",
"enterDisplayName": "Zadajte používateľské meno", "enterDisplayName": "Zadajte zobrazované meno",
"continueYourSession": "Pokračujte Váš Session", "continueYourSession": "Pokračujte v vašej Session",
"linkDevice": "Spojiť Zariadenie", "linkDevice": "Prepojiť zariadenie",
"restoreUsingRecoveryPhrase": "Obnoviť váš účet", "restoreUsingRecoveryPhrase": "Obnoviť váš účet",
"or": "alebo", "or": "alebo",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Používaním tejto služby súhlasíte s našimi <a href=\"https://getsession.org/terms-of-service\">Podmienkami používania služby</a> a <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Zásadami ochrany osobných údajov</a>",
"beginYourSession": "Začať Váš Session.", "beginYourSession": "Začnite vu Session.",
"welcomeToYourSession": "Vitajte vo vašej Session", "welcomeToYourSession": "Vitajte vo vašej Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Vyhľadávanie konverzácií a kontaktov",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Vyhľadávanie kontaktov",
"enterSessionID": "Zadajte Session ID", "enterSessionID": "Zadajte Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Zadajte Session ID alebo ONS vášho kontaktu",
"message": "Správa", "message": "Správa",
"appearanceSettingsTitle": "Vzhľad", "appearanceSettingsTitle": "Vzhľad",
"privacySettingsTitle": "Súkromie", "privacySettingsTitle": "Súkromie",
"notificationsSettingsTitle": "Upozornenia", "notificationsSettingsTitle": "Upozornenia",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Obsah upozornenia",
"recoveryPhraseEmpty": "Zadajte obnovovaciu frázu", "notificationPreview": "Náhľad",
"recoveryPhraseEmpty": "Zadajte frázu pre obnovu",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ členov", "members": "$count$ členov",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Pripojiť sa",
"createGroup": "Create Group", "joinOpenGroup": "Pripojte sa ku komunite",
"create": "Create", "createGroup": "Vytvoriť skupinu",
"createClosedGroupNamePrompt": "Meno Skupiny", "create": "Vytvoriť",
"createClosedGroupPlaceholder": "Zadajte meno skupiny", "createClosedGroupNamePrompt": "Názov skupiny",
"openGroupURL": "Community URL", "createClosedGroupPlaceholder": "Zadajte názov skupiny",
"enterAnOpenGroupURL": "Enter Community URL", "openGroupURL": "URL adresa komunity",
"enterAnOpenGroupURL": "Zadajte URL adresu komunity",
"next": "Ďalej", "next": "Ďalej",
"invalidGroupNameTooShort": "Prosím zadajte meno skupiny", "invalidGroupNameTooShort": "Zadajte prosím názov skupiny",
"invalidGroupNameTooLong": "Prosím zadajte kratšie meno skupiny", "invalidGroupNameTooLong": "Zadajte prosím kratší názov skupiny",
"pickClosedGroupMember": "Prosím vyberte aspoň 1 člena skupiny", "pickClosedGroupMember": "Prosím vyberte aspoň 1 člena skupiny",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "Skupina nemôže mať viac ako 100 členov",
"noBlockedContacts": "Žiadne zablokované kontakty", "noBlockedContacts": "Nemáte žiadne zablokované kontakty.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Používateľ pridaný do zoznamu správcov",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Používateľ odstránený zo zoznamu správcov",
"orJoinOneOfThese": "Alebo sa pripojte do jednej z týchto...", "orJoinOneOfThese": "Alebo sa pripojte do jednej z týchto...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Preložiť Session",
"closedGroupInviteFailTitle": "Pozvánka do Skupiny Neúspešná", "closedGroupInviteFailTitle": "Neúspešná pozvánka do skupiny",
"closedGroupInviteFailTitlePlural": "Pozvánky do Skupiny Neúspešné", "closedGroupInviteFailTitlePlural": "Skupinové pozvánky zlyhali",
"closedGroupInviteFailMessage": "Nemožno úspešne pozvať člena skupiny", "closedGroupInviteFailMessage": "Nie je možné úspešne pozvať člena skupiny",
"closedGroupInviteFailMessagePlural": "Nemožno úspešne pozvať všetkých členov skupiny", "closedGroupInviteFailMessagePlural": "Nie je možné úspešne pozvať všetkých členov skupiny",
"closedGroupInviteOkText": "Pozvať Znova", "closedGroupInviteOkText": "Opakovanie pozvania",
"closedGroupInviteSuccessTitlePlural": "Pozvánky do Skupiny Dokončené", "closedGroupInviteSuccessTitlePlural": "Skupinové pozvánky dokončené",
"closedGroupInviteSuccessTitle": "Pozvánky do Skupiny Úspešná", "closedGroupInviteSuccessTitle": "Skupinová pozvánka úspešná",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Úspešne pozvaní členovia skupiny",
"notificationForConvo": "Upozornenia", "notificationForConvo": "Upozornenia",
"notificationForConvo_all": "Všetko", "notificationForConvo_all": "Všetky",
"notificationForConvo_disabled": "Vypnuté", "notificationForConvo_disabled": "Vypnuté",
"notificationForConvo_mentions_only": "Iba zmienky", "notificationForConvo_mentions_only": "Iba zmienky",
"onionPathIndicatorTitle": "Cesta", "onionPathIndicatorTitle": "Cesta",
"onionPathIndicatorDescription": "Session skryje Vašu IP adresu tým, že vaše správy sa odrazia cez niekoľko Servisných Uzlov v decentralizovanej sieti Session. Toto sú krajiny cez ktoré sa Vaše spojenie práve odráža:", "onionPathIndicatorDescription": "Session skryje vašu IP adresu tým, že vaše správy prechádzajú cez niekoľko servisných uzlov v decentralizovanej sieti Session. Toto sú krajiny, cez ktoré sa vaše spojenie práve prechádza:",
"unknownCountry": "Neznáma Krajina", "unknownCountry": "Neznáma krajina",
"device": "Zariadenie", "device": "Zariadenie",
"destination": "Cieľ", "destination": "Cieľ",
"learnMore": "Viac Informácii", "learnMore": "Zistiť viac",
"linkVisitWarningTitle": "Otvoriť tento odkaz vo Vašom prehliadači?", "linkVisitWarningTitle": "Otvoriť tento odkaz vo vašom prehliadači?",
"linkVisitWarningMessage": "Ste si istí, že chcete otvoriť $url$ vo Vašom prehliadači?", "linkVisitWarningMessage": "Ste si istí, že chcete otvoriť $url$ vo vašom prehliadači?",
"open": "Otvoriť", "open": "Otvoriť",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Automaticky prehrať zvukové správy",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Automaticky prehrať po sebe idúce zvukové správy.",
"clickToTrustContact": "Klikni na stiahnutie médií", "clickToTrustContact": "Kliknutím stiahnete médiá",
"trustThisContactDialogTitle": "Veriť $name$?", "trustThisContactDialogTitle": "Dôverovať $name$?",
"trustThisContactDialogDescription": "Ste si istí že chcete stiahnuť média poslané od $name$?", "trustThisContactDialogDescription": "Ste si istí, že chcete stiahnuť médiá, ktoré poslal/a $name$?",
"pinConversation": "Pripnúť Konverzáciu", "pinConversation": "Pripnúť konverzáciu",
"unpinConversation": "Odopnúť Konverzáciu", "unpinConversation": "Odopnúť konverzáciu",
"showUserDetails": "Zobraziť Detaily Používateľa", "markUnread": "Mark Unread",
"sendRecoveryPhraseTitle": "Posielanie Obnovovacej Frázy", "showUserDetails": "Zobraziť podrobnosti o používateľovi",
"sendRecoveryPhraseMessage": "Pokúšate sa poslať vašu obnovovaciu frázu ktorá môže byť použítá na prístup k Vášmu účtu. Ste si istí že chcete poslať túto správu?", "sendRecoveryPhraseTitle": "Odoslanie frázy pre obnovu",
"dialogClearAllDataDeletionFailedTitle": "Dáta nevymazané", "sendRecoveryPhraseMessage": "Pokúšate sa odoslať frázu na obnovenie, ktorá sa dá použiť na prístup k vášmu účtu. Ste si istí, že chcete odoslať túto správu?",
"dialogClearAllDataDeletionFailedDesc": "Dáta nevymazané z neznámou chybou. Chcete vymazať dáta len z tohto zariadenia?", "dialogClearAllDataDeletionFailedTitle": "Údaje neboli odstránené",
"dialogClearAllDataDeletionFailedTitleQuestion": "Chcete vymazať dáta len z tohto zariadenia?", "dialogClearAllDataDeletionFailedDesc": "Údaje neboli odstránené s neznámou chybou. Chcete odstrániť údaje len z tohto zariadenia?",
"dialogClearAllDataDeletionFailedMultiple": "Dáta nevymazané týmito Servisnímy Uzlami: $snodes$", "dialogClearAllDataDeletionFailedTitleQuestion": "Chcete odstrániť údaje len z tohto zariadenia?",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionFailedMultiple": "Údaje, ktoré neboli odstránené týmito uzlami služby: $snodes$",
"deviceOnly": "Clear Device Only", "dialogClearAllDataDeletionQuestion": "Chcete vyčistiť len toto zariadenie, alebo aj vymazať svoje údaje zo siete?",
"entireAccount": "Clear Device and Network", "clearDevice": "Vyčistiť zariadenie",
"areYouSureDeleteDeviceOnly": "Ste si istý že chcete vymazať iba údaje Vášho zariadenia?", "tryAgain": "Skúsiť znova",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureClearDevice": "Ste si istí, že chcete vaše zariadenie vyčistiť?",
"iAmSure": "Som si istý", "deviceOnly": "Vyčistiť iba zariadenie",
"recoveryPhraseSecureTitle": "Ste takmer hotoví!", "entireAccount": "Vyčistiť zariadenie aj sieť",
"recoveryPhraseRevealMessage": "Zabezpečte Váš účet uložením Vašej obnovovacej frázy. Odhaľte vašú obnovovaciu frázu a potom ju bezpečne uložte.", "areYouSureDeleteDeviceOnly": "Ste si istí, že chcete vymazať iba údaje na vašom zariadení?",
"recoveryPhraseRevealButtonText": "Odhaliť Obnovovaciu Frázu", "areYouSureDeleteEntireAccount": "Ste si istí, že chcete odstrániť svoje údaje zo siete? Ak budete pokračovať, nebudete môcť obnoviť svoje správy alebo kontakty.",
"iAmSure": "Som si istý/á",
"recoveryPhraseSecureTitle": "Už ste takmer hotoví!",
"recoveryPhraseRevealMessage": "Zabezpečte svoje konto uložením frázy na obnovenie. Odhaľte svoju frázu na obnovenie a potom ju bezpečne uložte, aby ste ju zabezpečili.",
"recoveryPhraseRevealButtonText": "Odhaliť frázu pre obnovu",
"notificationSubtitle": "Upozornenia - $setting$", "notificationSubtitle": "Upozornenia - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Radi by sme získali vašu spätnú väzbu",
"faq": "FAQ", "faq": "Časté otázky",
"support": "Support", "support": "Podpora",
"clearAll": "Clear All", "clearAll": "Vyčistiť všetko",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Vyčistiť údaje",
"messageRequests": "Žiadosti o Správu", "messageRequests": "Žiadosti o správu",
"requestsSubtitle": "Čakajúce Žiadosti", "requestsSubtitle": "Čakajúce žiadosti",
"requestsPlaceholder": "Žiadne žiadosti", "requestsPlaceholder": "Žiadne žiadosti",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "hideRequestBannerDescription": "Skryť panel Žiadosť o správu, kým nedostanete novú žiadosť o správu.",
"incomingCallFrom": "Prichádzajúci hovor od '$name$'", "incomingCallFrom": "Prichádzajúci hovor od '$name$'",
"ringing": "Zvoním...", "ringing": "Zvonenie...",
"establishingConnection": "Nadväzujem spojenie...", "establishingConnection": "Nadväzovanie spojenia...",
"accept": "Prijať", "accept": "Prijať",
"decline": "Odmietnuť", "decline": "Odmietnuť",
"endCall": "Ukončiť hovor", "endCall": "Ukončiť hovor",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Povolenia",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Pomocník",
"cameraPermissionNeededTitle": "Vyžadujú sa povolenia na hlasové/video hovory", "cameraPermissionNeededTitle": "Vyžadujú sa povolenia na hlasové/video hovory",
"cameraPermissionNeeded": "Môžete zapnúť 'Hlasové a video hovory' povolenie v Nastaveniach Súkromia.", "cameraPermissionNeeded": "\"Hlasové a video hovory\" môžete povoliť v nastaveniach súkromia.",
"unableToCall": "Najskôr položte prebiehajúci hovor", "unableToCall": "Najskôr zrušte prebiehajúci hovor",
"unableToCallTitle": "Nemožno začať nový hovor", "unableToCallTitle": "Nie je možné spustiť nový hovor",
"callMissed": "Zmeškaný hovor od $name$", "callMissed": "Zmeškaný hovor od $name$",
"callMissedTitle": "Zmeškaný hovor", "callMissedTitle": "Zmeškaný hovor",
"noCameraFound": "Nebol nájdený fotoaparát", "noCameraFound": "Nenašla sa žiadna kamera",
"noAudioInputFound": "Nebol nájdeny zvukový vstup", "noAudioInputFound": "Nenašiel sa žiadny zvukový vstup",
"noAudioOutputFound": "Nebol nájdeny zvukový výstup", "noAudioOutputFound": "Nenašiel sa žiadny zvukový výstup",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Hlasové a video hovory (Beta)",
"callMissedCausePermission": "Zmeškaný hovor od '$name$' pretože potrebujete zapnúť povolenie 'Hlasové a video hovory' v Nastaveniach Súkromia.", "callMissedCausePermission": "Zmeškaný hovor od '$name$', pretože musíte povoliť povolenie \"Hlasové a video hovory\" v nastaveniach súkromia.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Zmeškaný hovor od '$name$', keďže ste ešte neschválili túto konverzáciu. Najprv im pošlite správu.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Umožňuje hlasové a video hovory s inými používateľmi a od nich.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Vaša IP adresa je počas používania beta hovorov viditeľná pre vášho partnera a pre server Oxen Foundation. Ste si istí, že chcete povoliť hlasové a videohovory?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Hlasové a video hovory (Beta)",
"startedACall": "Volali ste $name$", "startedACall": "Volali ste $name$",
"answeredACall": "Volať z $name$", "answeredACall": "Hovor s $name$",
"trimDatabase": "Trim Database", "trimDatabase": "Prečistiť databázu",
"trimDatabaseDescription": "Zmenší veľkosť tvojej databázy správ na tvojich posledných 10 000 správ.", "trimDatabaseDescription": "Zníži veľkosť databázy správ na posledných 10 000 správ.",
"trimDatabaseConfirmationBody": "Určite chceš vymazať svoje najstaršie prijaté správy? ($deleteAmount$)", "trimDatabaseConfirmationBody": "Ste si istí, že chcete vymazať svojich $deleteAmount$ najstarších prijatých správ?",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...", "pleaseWaitOpenAndOptimizeDb": "Počkajte prosím, kým sa otvorí a optimalizuje vaša databáza...",
"messageRequestPending": "Your message request is currently pending", "messageRequestPending": "Vaša požiadavka na správu je momentálne v štádiu vybavovania",
"messageRequestAccepted": "Your message request has been accepted", "messageRequestAccepted": "Vaša žiadosť o správu bola prijatá",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request", "messageRequestAcceptedOurs": "Prijali ste žiadosť o správu od $name$",
"messageRequestAcceptedOursNoName": "You have accepted the message request", "messageRequestAcceptedOursNoName": "Prijali ste žiadosť o správu",
"declineRequestMessage": "Are you sure you want to decline this message request?", "declineRequestMessage": "Ste si istí, že chcete odmietnuť túto žiadosť o správu?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "respondingToRequestWarning": "Odoslaním správy tomuto používateľovi automaticky prijmete jeho žiadosť o správu a odhalíte svoje Session ID.",
"hideRequestBanner": "Hide Message Request Banner", "hideRequestBanner": "Skryť panel so žiadosťou o správu",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Žiadosti o správu",
"noMessageRequestsPending": "No pending message requests", "noMessageRequestsPending": "Žiadne prebiehajúce žiadosti o správu",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved", "noMediaUntilApproved": "Prílohy nemôžete odosielať, kým nie je konverzácia schválená",
"mustBeApproved": "This conversation must be accepted to use this feature", "mustBeApproved": "Ak chcete používať túto funkciu, musíte túto konverzáciu akceptovať",
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "Máte novú žiadosť o priateľstvo",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Vyčistiť všetky žiadosti o správy",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Ste si istí, že chcete vyčistiť všetky žiadosti o správu?",
"hideBanner": "Hide", "noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"expandedReactionsText": "Show Less", "hideBanner": "Skryť",
"reactionNotification": "Reacts to a message with $emoji$", "someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"otherSingular": "$number$ other", "openMessageRequestInboxDescription": "Zobraziť vašu schránku prijatých žiadostí o správu",
"otherPlural": "$number$ others", "clearAllReactions": "Ste si istí, že chcete vymazať všetky $emoji$?",
"reactionPopup": "reacted with", "expandedReactionsText": "Zobraziť menej",
"reactionNotification": "Reaguje na správu pomocou $emoji$",
"rateLimitReactMessage": "Spomaľte! Poslali ste príliš veľa emoji reakcií. Skúste to čoskoro znova",
"otherSingular": "$number$ iné",
"otherPlural": "$number$ iní",
"reactionPopup": "reagoval/a s",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ a $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ a $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ a",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "A $otherSingular$ reagoval <span>$emoji$</span> na túto správu",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "A $otherPlural$ reagovali <span>$emoji$</span> na túto správu"
} }

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Nalagam ...", "loading": "Nalagam ...",
@ -72,7 +72,7 @@
"noSearchResults": "Ni rezultata za \"$searchTerm$\"", "noSearchResults": "Ni rezultata za \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Stiki", "contactsHeader": "Stiki",
"messagesHeader": "Sporočila", "messagesHeader": "Conversations",
"settingsHeader": "Nastavitve", "settingsHeader": "Nastavitve",
"typingAlt": "Animacija tipkanja za ta pogovor", "typingAlt": "Animacija tipkanja za ta pogovor",
"contactAvatarAlt": "Avatar uporabnika $name$", "contactAvatarAlt": "Avatar uporabnika $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Izbriši to sporočilo?", "deleteMessageQuestion": "Izbriši to sporočilo?",
"deleteMessages": "Izbriši sporočila", "deleteMessages": "Izbriši sporočila",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "To sporočilo je bilo izbrisano", "messageDeletedPlaceholder": "To sporočilo je bilo izbrisano",
"from": "Pošiljatelj", "from": "Pošiljatelj",
@ -107,29 +108,30 @@
"sent": "Poslano", "sent": "Poslano",
"received": "Prejeto", "received": "Prejeto",
"sendMessage": "Pošlji sporočilo", "sendMessage": "Pošlji sporočilo",
"groupMembers": "Člani skupine", "groupMembers": "Members",
"moreInformation": "Več informacij", "moreInformation": "Več informacij",
"resend": "Ponovno pošlji", "resend": "Ponovno pošlji",
"deleteConversationConfirmation": "Ali res želite nepovratno izbrisati ta pogovor?", "deleteConversationConfirmation": "Ali res želite nepovratno izbrisati ta pogovor?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Počisti vse podatke", "clearAllData": "Počisti vse podatke",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Ste prepričani, da želite trajno izbrisati pogovor?", "deleteContactConfirmation": "Ste prepričani, da želite trajno izbrisati pogovor?",
"quoteThumbnailAlt": "Predogled slike citiranega sporočila", "quoteThumbnailAlt": "Predogled slike citiranega sporočila",
"imageAttachmentAlt": "Slika je priložena sporočilu", "imageAttachmentAlt": "Slika je priložena sporočilu",
"videoAttachmentAlt": "Zajem slike videa je priložen k sporočilu", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Slika je bila poslana tekom pogovora", "lightboxImageAlt": "Slika je bila poslana tekom pogovora",
"imageCaptionIconAlt": "Ikona, ki označuje, da ima ta slika besedilo", "imageCaptionIconAlt": "Ikona, ki označuje, da ima ta slika besedilo",
"addACaption": "Dodaj besedilo ...", "addACaption": "Dodaj besedilo ...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Shrani", "save": "Shrani",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Shrani", "saved": "Shrani",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -138,34 +140,34 @@
"spellCheckDirty": "You must restart Session to apply your new settings", "spellCheckDirty": "You must restart Session to apply your new settings",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Send read receipts in one-to-one chats.",
"readReceiptSettingTitle": "Read Receipts", "readReceiptSettingTitle": "Read Receipts",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Prikaži in deli indikatorje tipkanja v pogovorih ena na ena.",
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Indikator tipkanja",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Teme",
"primaryColor": "Primary Color", "primaryColor": "Primarna barva",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primarna barva zelena",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primarna barva modra",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primarna barva rumena",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Primarna barva roza",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Primarna barva vijolična",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Primarna barva oranžna",
"primaryColorRed": "Primary color red", "primaryColorRed": "Primary color red",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Classic Dark",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Classic Light",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "ime pošiljatelja in sporočilo", "nameAndMessage": "Name & Content",
"noNameOrMessage": "brez imena pošiljatelja in sporočila", "noNameOrMessage": "brez imena pošiljatelja in sporočila",
"nameOnly": "samo ime pošiljatelja", "nameOnly": "samo ime pošiljatelja",
"newMessage": "Novo sporočilo", "newMessage": "Novo sporočilo",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Create a conversation with a new contact",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Create a group with existing contacts",
"joinACommunity": "Join a community", "joinACommunity": "Pridruži se skupnosti",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Choose an action to start a conversation",
"newMessages": "Novo sporočilo", "newMessages": "Novo sporočilo",
"notificationMostRecentFrom": "Najnovejše od:", "notificationMostRecentFrom": "Najnovejše od:",
@ -174,7 +176,7 @@
"sendFailed": "Pošiljanje ni uspelo", "sendFailed": "Pošiljanje ni uspelo",
"mediaMessage": "Multimedijsko sporočilo", "mediaMessage": "Multimedijsko sporočilo",
"messageBodyMissing": "Please enter a message body.", "messageBodyMissing": "Please enter a message body.",
"messageBody": "Message body", "messageBody": "Vsebina sporočila",
"unblockToSend": "Za pošiljanje sporočila morate najprej odblokirati ta stik", "unblockToSend": "Za pošiljanje sporočila morate najprej odblokirati ta stik",
"unblockGroupToSend": "Odblokiraj to skupino za pošiljanje sporočila.", "unblockGroupToSend": "Odblokiraj to skupino za pošiljanje sporočila.",
"youChangedTheTimer": "Odštevanje za izginjajoča sporočila ste nastavili na $time$", "youChangedTheTimer": "Odštevanje za izginjajoča sporočila ste nastavili na $time$",
@ -192,11 +194,12 @@
"timerOption_12_hours": "12 ur", "timerOption_12_hours": "12 ur",
"timerOption_1_day": "1 dan", "timerOption_1_day": "1 dan",
"timerOption_1_week": "1 teden", "timerOption_1_week": "1 teden",
"timerOption_2_weeks": "2 tedna",
"disappearingMessages": "Izginjajoča sporočila", "disappearingMessages": "Izginjajoča sporočila",
"changeNickname": "Change Nickname", "changeNickname": "Spremeni vzdevek",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
"nicknamePlaceholder": "New Nickname", "nicknamePlaceholder": "Nov vzdevek",
"changeNicknameMessage": "Enter a nickname for this user", "changeNicknameMessage": "Vstavi vzdevek za tega uporabnika",
"timerOption_0_seconds_abbreviated": "Izključeno", "timerOption_0_seconds_abbreviated": "Izključeno",
"timerOption_5_seconds_abbreviated": "5 s", "timerOption_5_seconds_abbreviated": "5 s",
"timerOption_10_seconds_abbreviated": "10 s", "timerOption_10_seconds_abbreviated": "10 s",
@ -209,40 +212,41 @@
"timerOption_12_hours_abbreviated": "12 h", "timerOption_12_hours_abbreviated": "12 h",
"timerOption_1_day_abbreviated": "1 d", "timerOption_1_day_abbreviated": "1 d",
"timerOption_1_week_abbreviated": "1 t", "timerOption_1_week_abbreviated": "1 t",
"timerOption_2_weeks_abbreviated": "2 ted.",
"disappearingMessagesDisabled": "Izginjajoča sporočila so izključena", "disappearingMessagesDisabled": "Izginjajoča sporočila so izključena",
"disabledDisappearingMessages": "Uporabnik $name$ je izključil izginjajoča sporočila", "disabledDisappearingMessages": "Uporabnik $name$ je izključil izginjajoča sporočila.",
"youDisabledDisappearingMessages": "Izključili ste izginjajoča sporočila", "youDisabledDisappearingMessages": "Izključili ste izginjajoča sporočila",
"timerSetTo": "Čas izginjanja je nastavljen na $time$", "timerSetTo": "Čas izginjanja je nastavljen na $time$",
"noteToSelf": "Osebna zabeležka", "noteToSelf": "Osebna zabeležka",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Začni nov pogovor ...", "startConversation": "Začni nov pogovor ...",
"invalidNumberError": "Neveljavna številka", "invalidNumberError": "Prosimo preveri Session ID ali ime ONS in poizkusi še enkrat",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Samodejno posodobi",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Ob zagonu samodejno preveri za posodobitve.",
"autoUpdateNewVersionTitle": "Na voljo je posodobitev aplikacije Session", "autoUpdateNewVersionTitle": "Na voljo je posodobitev aplikacije Session",
"autoUpdateNewVersionMessage": "Na voljo je nova različica aplikacije Session.", "autoUpdateNewVersionMessage": "Na voljo je nova različica aplikacije Session.",
"autoUpdateNewVersionInstructions": "Za uveljavitev nadgradenj pritisnite tipko Ponovno zaženi Session", "autoUpdateNewVersionInstructions": "Za uveljavitev nadgradenj pritisnite tipko Ponovno zaženi Session",
"autoUpdateRestartButtonLabel": "Ponovno zaženi Session", "autoUpdateRestartButtonLabel": "Ponovno zaženi Session",
"autoUpdateLaterButtonLabel": "Kasneje", "autoUpdateLaterButtonLabel": "Kasneje",
"autoUpdateDownloadButtonLabel": "Download", "autoUpdateDownloadButtonLabel": "Prenesi",
"autoUpdateDownloadedMessage": "The new update has been downloaded.", "autoUpdateDownloadedMessage": "The new update has been downloaded.",
"autoUpdateDownloadInstructions": "Would you like to download the update?", "autoUpdateDownloadInstructions": "Ali želite prenesti posodobitev?",
"leftTheGroup": "Uporabnik $name$ je zapustil skupino", "leftTheGroup": "Uporabnik $name$ je zapustil skupino",
"multipleLeftTheGroup": "Uporabnik $name$ je zapustil skupino", "multipleLeftTheGroup": "Uporabnik $name$ je zapustil skupino",
"updatedTheGroup": "Skpina je bila posodobljena", "updatedTheGroup": "Skpina je bila posodobljena",
"titleIsNow": "Novo ime je '$name$'", "titleIsNow": "Novo ime je '$name$'",
"joinedTheGroup": "Uporabnik $name$ se je pridružil skupini", "joinedTheGroup": "Uporabnik $name$ se je pridružil skupini",
"multipleJoinedTheGroup": "Uporabnik $names$ se je pridružil skupini", "multipleJoinedTheGroup": "Uporabnik $names$ se je pridružil skupini",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ je bil_a odstranjen_a iz skupine.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ so bili odstranjeni iz skupine.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Odblokiran",
"blocked": "Blocked", "blocked": "Blokiran",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blokirani stiki",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Pogovori",
"unbanUser": "Unban User", "unbanUser": "Unban User",
"userUnbanned": "User unbanned successfully", "userUnbanned": "User unbanned successfully",
"userUnbanFailed": "Unban failed!", "userUnbanFailed": "Unban failed!",
@ -260,17 +264,17 @@
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Failed to add user as admin",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Failed to remove user from the admin list",
"copyMessage": "Copy message text", "copyMessage": "Copy message text",
"selectMessage": "Select message", "selectMessage": "Izberi sporočilo",
"editGroup": "Edit group", "editGroup": "Uredi skupino",
"editGroupName": "Edit group name", "editGroupName": "Uredi ime skupine",
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Posodabljanje $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Besedna zveza za obnovitev",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -1,6 +1,6 @@
{ {
"copyErrorAndQuit": "Kopjo gabimin dhe dil", "copyErrorAndQuit": "Kopjo gabimin dhe dil",
"unknown": "Unknown", "unknown": "i panjohur",
"databaseError": "Gabim Baze të Dhënash", "databaseError": "Gabim Baze të Dhënash",
"mainMenuFile": "&Kartelë", "mainMenuFile": "&Kartelë",
"mainMenuEdit": "&Përpunoni", "mainMenuEdit": "&Përpunoni",
@ -16,22 +16,22 @@
"editMenuCut": "Prije", "editMenuCut": "Prije",
"editMenuCopy": "Kopjoje", "editMenuCopy": "Kopjoje",
"editMenuPaste": "Ngjite", "editMenuPaste": "Ngjite",
"editMenuDeleteContact": "Delete Contact", "editMenuDeleteContact": "Fshi kontaktin.",
"editMenuDeleteGroup": "Delete Group", "editMenuDeleteGroup": "Fshi grupin.",
"editMenuSelectAll": "Përzgjidhi Krejt", "editMenuSelectAll": "Përzgjidhi Krejt",
"windowMenuClose": "Mbylle Dritaren", "windowMenuClose": "Mbylle Dritaren",
"windowMenuMinimize": "Minimizoje", "windowMenuMinimize": "Minimizoje",
"windowMenuZoom": "Zoom", "windowMenuZoom": "Zmadhoni",
"viewMenuResetZoom": "Madhësi Faktike", "viewMenuResetZoom": "Madhësi Faktike",
"viewMenuZoomIn": "Zmadhoje", "viewMenuZoomIn": "Zmadhoje",
"viewMenuZoomOut": "Zvogëloje", "viewMenuZoomOut": "Zvogëloje",
"viewMenuToggleFullScreen": "Kalo në/Dil nga Sa Krejt Ekrani", "viewMenuToggleFullScreen": "Kalo në/Dil nga Sa Krejt Ekrani",
"viewMenuToggleDevTools": "Shfaq/Fshih Mjete Zhvilluesi", "viewMenuToggleDevTools": "Shfaq/Fshih Mjete Zhvilluesi",
"contextMenuNoSuggestions": "No Suggestions", "contextMenuNoSuggestions": "Nuk ka sugjerime",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Po ngarkohet…", "loading": "Po ngarkohet…",
@ -72,7 +72,7 @@
"noSearchResults": "Ska përfundime për \"$searchTerm$\"", "noSearchResults": "Ska përfundime për \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Kontakte", "contactsHeader": "Kontakte",
"messagesHeader": "Mesazhe", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Animacion shtypjesh për këtë bisedë", "typingAlt": "Animacion shtypjesh për këtë bisedë",
"contactAvatarAlt": "Avatar për kontaktin $name$", "contactAvatarAlt": "Avatar për kontaktin $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Fshini mesazhe", "deleteMessages": "Fshini mesazhe",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "Nga", "from": "Nga",
@ -107,29 +108,30 @@
"sent": "Dërguar më", "sent": "Dërguar më",
"received": "Marrë më", "received": "Marrë më",
"sendMessage": "Dërgoni një mesazh", "sendMessage": "Dërgoni një mesazh",
"groupMembers": "Anëtarë grupi", "groupMembers": "Members",
"moreInformation": "More information", "moreInformation": "More information",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "Të fshihet përgjithmonë kjo bisedë?", "deleteConversationConfirmation": "Të fshihet përgjithmonë kjo bisedë?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Miniaturë e figurës nga mesazhi i cituar", "quoteThumbnailAlt": "Miniaturë e figurës nga mesazhi i cituar",
"imageAttachmentAlt": "Figurë bashkëngjitur mesazhit", "imageAttachmentAlt": "Figurë bashkëngjitur mesazhit",
"videoAttachmentAlt": "Foto ekrani e videos bashkëngjitur mesazhit", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Figurë e dërguar në bisedë", "lightboxImageAlt": "Figurë e dërguar në bisedë",
"imageCaptionIconAlt": "Ikonë që tregon se për këtë figurë ka një titull", "imageCaptionIconAlt": "Ikonë që tregon se për këtë figurë ka një titull",
"addACaption": "Shtoni një përshkrim…", "addACaption": "Shtoni një përshkrim…",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Ruaje", "save": "Ruaje",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Emrin e dërguesit dhe mesazhin", "nameAndMessage": "Name & Content",
"noNameOrMessage": "As emrin, as mesazhin", "noNameOrMessage": "As emrin, as mesazhin",
"nameOnly": "Vetëm emër dërguesi", "nameOnly": "Vetëm emër dërguesi",
"newMessage": "Mesazh i Ri", "newMessage": "Mesazh i Ri",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 orë", "timerOption_12_hours": "12 orë",
"timerOption_1_day": "1 ditë", "timerOption_1_day": "1 ditë",
"timerOption_1_week": "1 javë", "timerOption_1_week": "1 javë",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Zhdukje mesazhesh", "disappearingMessages": "Zhdukje mesazhesh",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1j", "timerOption_1_week_abbreviated": "1j",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Zhdukja e mesazheve është e çaktivizuar", "disappearingMessagesDisabled": "Zhdukja e mesazheve është e çaktivizuar",
"disabledDisappearingMessages": "$name$ çaktivizoi zhdukjen e mesazheve", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Çaktivizuat zhdukjen e mesazheve", "youDisabledDisappearingMessages": "Çaktivizuat zhdukjen e mesazheve",
"timerSetTo": "Afatmatësi është caktuar për $time$", "timerSetTo": "Afatmatësi është caktuar për $time$",
"noteToSelf": "Shënim për Veten", "noteToSelf": "Shënim për Veten",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Filloni bisedë të re…", "startConversation": "Filloni bisedë të re…",
"invalidNumberError": "Numër i pavlefshëm", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ u bënë pjesë e grupit", "multipleJoinedTheGroup": "$names$ u bënë pjesë e grupit",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Pridruži se $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Pridruži se $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Unesite ID sesije ili naziv ONS -a", "enterSessionIDOrONSName": "Unesite ID sesije ili naziv ONS -a",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Učitavanje...", "loading": "Učitavanje...",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "Контакти", "contactsHeader": "Контакти",
"messagesHeader": "Поруке", "messagesHeader": "Conversations",
"settingsHeader": "Podešavanja", "settingsHeader": "Podešavanja",
"typingAlt": "Unos animacije za ovaj razgovor", "typingAlt": "Unos animacije za ovaj razgovor",
"contactAvatarAlt": "Avatar za kontakt $name$", "contactAvatarAlt": "Avatar za kontakt $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Izbriši ovu poruku?", "deleteMessageQuestion": "Izbriši ovu poruku?",
"deleteMessages": "Уклони пошиљке", "deleteMessages": "Уклони пошиљке",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "Poruka je izbrisana", "messageDeletedPlaceholder": "Poruka je izbrisana",
"from": "Од", "from": "Од",
@ -107,29 +108,30 @@
"sent": "Послата", "sent": "Послата",
"received": "Примљена", "received": "Примљена",
"sendMessage": "Пошаљи поруку", "sendMessage": "Пошаљи поруку",
"groupMembers": "Чланови групе", "groupMembers": "Members",
"moreInformation": "Više informacija", "moreInformation": "Više informacija",
"resend": "Pošalji ponovo", "resend": "Pošalji ponovo",
"deleteConversationConfirmation": "Неопозиво уклонити преписку?", "deleteConversationConfirmation": "Неопозиво уклонити преписку?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Počisti sve podatke", "clearAllData": "Počisti sve podatke",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Jeste li sigurni da želite da izbrišete ovaj razgovor?", "deleteContactConfirmation": "Jeste li sigurni da želite da izbrišete ovaj razgovor?",
"quoteThumbnailAlt": "Sličica slike iz citirane poruke", "quoteThumbnailAlt": "Sličica slike iz citirane poruke",
"imageAttachmentAlt": "Fotografija je priložena uz poruku", "imageAttachmentAlt": "Fotografija je priložena uz poruku",
"videoAttachmentAlt": "Snimak ekrana video zapisa u prilogu poruke", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Slika je poslata u razgovoru", "lightboxImageAlt": "Slika je poslata u razgovoru",
"imageCaptionIconAlt": "Ikona pokazuje da ova slika ima naslov", "imageCaptionIconAlt": "Ikona pokazuje da ova slika ima naslov",
"addACaption": "Dodaj natpis...", "addACaption": "Dodaj natpis...",
"copySessionID": "Kreiraj Session ID", "copySessionID": "Kreiraj Session ID",
"copyOpenGroupURL": "Kopiraj URL-ove grupa", "copyOpenGroupURL": "Copy Group URL",
"save": "Сачувај", "save": "Сачувај",
"saveLogToDesktop": "Sačuvati beleške na desktop", "saveLogToDesktop": "Sačuvati beleške na desktop",
"saved": "Sačuvano", "saved": "Sačuvano",
"tookAScreenshot": "$name$ je uradio screenshot", "tookAScreenshot": "$name$ je uradio screenshot",
"savedTheFile": "Medij je sačuvao $name$", "savedTheFile": "Medij je sačuvao $name$",
"linkPreviewsTitle": "Pošalji preglede veza", "linkPreviewsTitle": "Pošalji preglede veza",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "Nećete imati potpunu zaštitu metapodataka prilikom slanja pregleda linkova.", "linkPreviewsConfirmMessage": "Nećete imati potpunu zaštitu metapodataka prilikom slanja pregleda linkova.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Indikatori pisanja", "typingIndicatorsSettingTitle": "Indikatori pisanja",
"zoomFactorSettingTitle": "Faktor zumiranja", "zoomFactorSettingTitle": "Faktor zumiranja",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Име дописника и порука", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Скривено", "noNameOrMessage": "Скривено",
"nameOnly": "Име дописника", "nameOnly": "Име дописника",
"newMessage": "Нова порука", "newMessage": "Нова порука",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 sati", "timerOption_12_hours": "12 sati",
"timerOption_1_day": "1 дан", "timerOption_1_day": "1 дан",
"timerOption_1_week": "1 недеља", "timerOption_1_week": "1 недеља",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Самонестајуће поруке", "disappearingMessages": "Самонестајуће поруке",
"changeNickname": "Promеni nadimak", "changeNickname": "Promеni nadimak",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 ч", "timerOption_12_hours_abbreviated": "12 ч",
"timerOption_1_day_abbreviated": "1 д", "timerOption_1_day_abbreviated": "1 д",
"timerOption_1_week_abbreviated": "1 нед", "timerOption_1_week_abbreviated": "1 нед",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Poruke koje nestaju su onemogućene", "disappearingMessagesDisabled": "Poruke koje nestaju su onemogućene",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "Рок постављен на $time$", "timerSetTo": "Рок постављен на $time$",
"noteToSelf": "Napomena za sebe", "noteToSelf": "Napomena za sebe",
"hideMenuBarTitle": "Sakrij meni", "hideMenuBarTitle": "Sakrij meni",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "Неисправан број", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Rešavanje ONSa nije uspelo", "failedResolveOns": "Rešavanje ONSa nije uspelo",
"autoUpdateSettingTitle": "Automatsko ažuriranje", "autoUpdateSettingTitle": "Automatsko ažuriranje",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ joined the group", "multipleJoinedTheGroup": "$names$ joined the group",
"kickedFromTheGroup": "$name$ je izbrisan iz grupe.", "kickedFromTheGroup": "$name$ je izbrisan iz grupe.",
"multipleKickedFromTheGroup": "$name$ je izbrisan iz grupe.", "multipleKickedFromTheGroup": "$name$ je izbrisan iz grupe.",
"blockUser": "Blokiraj korisnika", "block": "Block",
"unblockUser": "Odblokirajte", "unblock": "Unblock",
"unblocked": "Odblokirajte", "unblocked": "Odblokirajte",
"blocked": "Blokiran", "blocked": "Blokiran",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Ažuriranje $name$...", "updateGroupDialogTitle": "Ažuriranje $name$...",
"showRecoveryPhrase": "Fraza za oporavak", "showRecoveryPhrase": "Fraza za oporavak",
"yourSessionID": "Tvoj Session ID", "yourSessionID": "Tvoj Session ID",
"setAccountPasswordTitle": "Podesite lozinku naloga", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Promenite lozinku naloga", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Uklonite lozinku za ovaj nalog", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Unesite lozinku", "enterPassword": "Unesite lozinku",
"confirmPassword": "Potvrda lozinke", "confirmPassword": "Potvrda lozinke",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Unesite lozinku", "showRecoveryPhrasePasswordRequest": "Unesite lozinku",
"recoveryPhraseSavePromptMain": "Fraza za oporavak je glavni ključ za Session ID - možete ga koristiti za vraćanje ISession ID-a ako izgubite pristup svom uređaju. Čuvajte frazu za oporavak na sigurnom mestu i ne delite je nisakim.", "recoveryPhraseSavePromptMain": "Fraza za oporavak je glavni ključ za Session ID - možete ga koristiti za vraćanje ISession ID-a ako izgubite pristup svom uređaju. Čuvajte frazu za oporavak na sigurnom mestu i ne delite je nisakim.",
"invalidOpenGroupUrl": "Neispravan URL", "invalidOpenGroupUrl": "Neispravan URL",
"copiedToClipboard": "Kopirano u klipobord", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Lozinka", "password": "Lozinka",
"setPassword": "Postavi lozinku", "setPassword": "Postavi lozinku",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Lozinke se ne poklapaju", "setPasswordInvalid": "Lozinke se ne poklapaju",
"changePasswordInvalid": "Stara lozinka je neispravna", "changePasswordInvalid": "Stara lozinka je neispravna",
"removePasswordInvalid": "Pogrešna lozinka", "removePasswordInvalid": "Pogrešna lozinka",
"setPasswordTitle": "Postavi lozinku", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Promeni lozinku", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Lozinka je uklonjena", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Vaša lozinka je podešena. Čuvajte lozinku na sigurnom.", "setPasswordToastDescription": "Vaša lozinka je podešena. Čuvajte lozinku na sigurnom.",
"changePasswordToastDescription": "Vaša lozinka je podešena. Čuvajte lozinku na sigurnom.", "changePasswordToastDescription": "Vaša lozinka je podešena. Čuvajte lozinku na sigurnom.",
"removePasswordToastDescription": "Uklonili ste lozinku.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Povezivanje...", "connectingToServer": "Povezivanje...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Izglеd", "appearanceSettingsTitle": "Izglеd",
"privacySettingsTitle": "Privatnost", "privacySettingsTitle": "Privatnost",
"notificationsSettingsTitle": "Notifikacije", "notificationsSettingsTitle": "Notifikacije",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Unesite frazu za oporavak", "recoveryPhraseEmpty": "Unesite frazu za oporavak",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ korisnika", "members": "$count$ korisnika",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Unesite kraći naziv grupe", "invalidGroupNameTooLong": "Unesite kraći naziv grupe",
"pickClosedGroupMember": "Molimo izaberite najmanje jednog člana grupe", "pickClosedGroupMember": "Molimo izaberite najmanje jednog člana grupe",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Nema blokiranih kontakata", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Ili se pridružite nekoj od ovih...", "orJoinOneOfThese": "Ili se pridružite nekoj od ovih...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Da li ste sigurni da želite da preuzmete medije koje šalje $name$?", "trustThisContactDialogDescription": "Da li ste sigurni da želite da preuzmete medije koje šalje $name$?",
"pinConversation": "Zalepi konverzaciju na vrh", "pinConversation": "Zalepi konverzaciju na vrh",
"unpinConversation": "Otkači konverzaciju sa vrha", "unpinConversation": "Otkači konverzaciju sa vrha",
"markUnread": "Mark Unread",
"showUserDetails": "Pokaži detalje korisnika", "showUserDetails": "Pokaži detalje korisnika",
"sendRecoveryPhraseTitle": "Slanje fraze za oporavak", "sendRecoveryPhraseTitle": "Slanje fraze za oporavak",
"sendRecoveryPhraseMessage": "Pokušavate da pošaljete svoju frazu za oporavak koja se može koristiti za pristup vašem nalogu. Jeste li sigurni da želite poslati ovu poruku?", "sendRecoveryPhraseMessage": "Pokušavate da pošaljete svoju frazu za oporavak koja se može koristiti za pristup vašem nalogu. Jeste li sigurni da želite poslati ovu poruku?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Da li želite da izbrišete podatke samo sa ovog uređaja?", "dialogClearAllDataDeletionFailedTitleQuestion": "Da li želite da izbrišete podatke samo sa ovog uređaja?",
"dialogClearAllDataDeletionFailedMultiple": "Podaci koje servisni čvorovi nisu izbrisali: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Podaci koje servisni čvorovi nisu izbrisali: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Jeste li sigurni da želite da izbrišete podatke samo sa urađaja?", "areYouSureDeleteDeviceOnly": "Jeste li sigurni da želite da izbrišete podatke samo sa urađaja?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Propušten poziv od $name$ jer morate da omogućite dozvolu za 'Glasovne i video pozive' u podešavanjima Privatnosti.", "callMissedCausePermission": "Propušten poziv od $name$ jer morate da omogućite dozvolu za 'Glasovne i video pozive' u podešavanjima Privatnosti.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Pozvali ste $name$", "startedACall": "Pozvali ste $name$",
"answeredACall": "Poziv sa $name$", "answeredACall": "Poziv sa $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Slå av/på fullskärm", "viewMenuToggleFullScreen": "Slå av/på fullskärm",
"viewMenuToggleDevTools": "Slå på utvecklingsverktyg", "viewMenuToggleDevTools": "Slå på utvecklingsverktyg",
"contextMenuNoSuggestions": "Inga förslag", "contextMenuNoSuggestions": "Inga förslag",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Gemenskapsinbjudan",
"joinOpenGroupAfterInvitationConfirmationTitle": "Gå med i $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Gå med i $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Är du säker på att du vill gå med i $roomName$ -gemenskapen?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Ange sessions-ID eller ONS-namn", "enterSessionIDOrONSName": "Ange sessions-ID eller ONS-namn",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Starta en ny diskussion genom att ange någons Sessions-ID eller dela ditt Sessions-ID med dem.",
"loading": "Läser in...", "loading": "Läser in...",
"done": "Slutfört", "done": "Slutfört",
"youLeftTheGroup": "Du lämnade gruppen", "youLeftTheGroup": "Du lämnade gruppen",
"youGotKickedFromGroup": "Du togs bort från gruppen.", "youGotKickedFromGroup": "Du togs bort från gruppen.",
"unreadMessages": "Olästa meddelanden", "unreadMessages": "Olästa meddelanden",
"debugLogExplanation": "Den här loggen kommer att sparas på skrivbordet.", "debugLogExplanation": "Den här loggen kommer att sparas på skrivbordet.",
"reportIssue": "Report a Bug", "reportIssue": "Rapportera ett fel",
"markAllAsRead": "Markera alla som lästa", "markAllAsRead": "Markera alla som lästa",
"incomingError": "Fel med att hantera inkommande meddelande", "incomingError": "Fel med att hantera inkommande meddelande",
"media": "Media", "media": "Media",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Kunde inte läsa in vald bilaga", "unableToLoadAttachment": "Kunde inte läsa in vald bilaga",
"offline": "Ej ansluten", "offline": "Ej ansluten",
"debugLog": "Felsökningslogg", "debugLog": "Felsökningslogg",
"showDebugLog": "Export Logs", "showDebugLog": "Exportera loggar",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Exportera dina loggar, ladda sedan upp filen via Sessions hjälpdisk.",
"goToReleaseNotes": "Gå till versionsanteckningar", "goToReleaseNotes": "Gå till versionsanteckningar",
"goToSupportPage": "Gå till supportsidan", "goToSupportPage": "Gå till supportsidan",
"about": "Om", "about": "Om",
@ -72,7 +72,7 @@
"noSearchResults": "Inga resultat för \"$searchTerm$\"", "noSearchResults": "Inga resultat för \"$searchTerm$\"",
"conversationsHeader": "Kontakter och grupper", "conversationsHeader": "Kontakter och grupper",
"contactsHeader": "Kontakter", "contactsHeader": "Kontakter",
"messagesHeader": "Meddelanden", "messagesHeader": "Conversations",
"settingsHeader": "Inställningar", "settingsHeader": "Inställningar",
"typingAlt": "Skrivanimation för denna konversation", "typingAlt": "Skrivanimation för denna konversation",
"contactAvatarAlt": "Avatar för kontakten $name$", "contactAvatarAlt": "Avatar för kontakten $name$",
@ -97,76 +97,78 @@
"messageDeletionForbidden": "Du har inte behörighet att ta bort andras meddelanden", "messageDeletionForbidden": "Du har inte behörighet att ta bort andras meddelanden",
"deleteJustForMe": "Radera bara för mig", "deleteJustForMe": "Radera bara för mig",
"deleteForEveryone": "Radera för alla", "deleteForEveryone": "Radera för alla",
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Radera $count$ meddelanden?",
"deleteMessageQuestion": "Radera detta meddelande?", "deleteMessageQuestion": "Radera detta meddelande?",
"deleteMessages": "Radera meddelanden", "deleteMessages": "Radera meddelanden",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"deleted": "$count$ raderades",
"messageDeletedPlaceholder": "Detta meddelande har tagits bort", "messageDeletedPlaceholder": "Detta meddelande har tagits bort",
"from": "Från", "from": "Från",
"to": "till", "to": "till",
"sent": "Skickat", "sent": "Skickat",
"received": "Mottagit", "received": "Mottagit",
"sendMessage": "Skicka ett meddelande", "sendMessage": "Skicka ett meddelande",
"groupMembers": "Gruppmedlemmar", "groupMembers": "Medlemmar",
"moreInformation": "Mer information", "moreInformation": "Mer information",
"resend": "Skicka på nytt", "resend": "Skicka på nytt",
"deleteConversationConfirmation": "Vill du radera denna konversation för alltid?", "deleteConversationConfirmation": "Vill du radera denna konversation för alltid?",
"clear": "Clear", "clear": "Rensa",
"clearAllData": "Rensa all data", "clearAllData": "Rensa all data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Detta kommer att ta bort dina meddelanden och kontakter permanent.",
"deleteAccountFromLogin": "Är du säker på att du vill rensa din enhet?",
"deleteContactConfirmation": "Är du säker på att du vill ta bort denna konversation?", "deleteContactConfirmation": "Är du säker på att du vill ta bort denna konversation?",
"quoteThumbnailAlt": "Miniatyr av bild för citerat meddelande", "quoteThumbnailAlt": "Miniatyr av bild för citerat meddelande",
"imageAttachmentAlt": "Bild bifogat till meddelande", "imageAttachmentAlt": "Bild bifogat till meddelande",
"videoAttachmentAlt": "Skärmbild av video bifogat till meddelande", "videoAttachmentAlt": "Skärmdump av video i meddelande",
"lightboxImageAlt": "Bild skickad i konversation", "lightboxImageAlt": "Bild skickad i konversation",
"imageCaptionIconAlt": "Ikon visandes att denna bild har en bildtext", "imageCaptionIconAlt": "Ikon visandes att denna bild har en bildtext",
"addACaption": "Lägg till en rubrik...", "addACaption": "Lägg till en rubrik...",
"copySessionID": "Kopiera Session-ID", "copySessionID": "Kopiera Session-ID",
"copyOpenGroupURL": "Kopiera gruppens URL", "copyOpenGroupURL": "Kopiera grupp-URL",
"save": "Spara", "save": "Spara",
"saveLogToDesktop": "Spara loggen på skrivbordet", "saveLogToDesktop": "Spara loggen på skrivbordet",
"saved": "Sparad", "saved": "Sparad",
"tookAScreenshot": "$name$ tog en skärmdump", "tookAScreenshot": "$name$ tog en skärmdump",
"savedTheFile": "Media sparad av $name$", "savedTheFile": "Media sparad av $name$",
"linkPreviewsTitle": "Skicka förhandsvisningar av länk", "linkPreviewsTitle": "Skicka förhandsvisningar av länk",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Skapa länkförhandsvisningar för stödda URL:er.",
"linkPreviewsConfirmMessage": "Du kommer inte att ha fullt metadata-skydd när du skickar förhandsgranskningar.", "linkPreviewsConfirmMessage": "Du kommer inte att ha fullt metadata-skydd när du skickar förhandsgranskningar.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Tillåt åtkomst till mikrofon.",
"spellCheckTitle": "Kontrollera stavning", "spellCheckTitle": "Kontrollera stavning",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Aktivera stavningskontroll när du skriver meddelanden.",
"spellCheckDirty": "Du måste starta om Session för att tillämpa dina nya inställningar", "spellCheckDirty": "Du måste starta om Session för att tillämpa dina nya inställningar",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "Skicka läskvitton i en-till-en-chattar.",
"readReceiptSettingTitle": "Läskvitton", "readReceiptSettingTitle": "Läskvitton",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Se och dela typindikatorer i en-till-en chattar.",
"typingIndicatorsSettingTitle": "Skriv Indikatorer", "typingIndicatorsSettingTitle": "Skriv Indikatorer",
"zoomFactorSettingTitle": "Zoomfaktor", "zoomFactorSettingTitle": "Zoomfaktor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Teman",
"primaryColor": "Primary Color", "primaryColor": "Primärfärg",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Grön primärfärg",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Blå primärfärg",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Gul primärfärg",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Rosa primärfärg",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Lila primärfärg",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Orange primärfärg",
"primaryColorRed": "Primary color red", "primaryColorRed": "Röd primärfärg",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klassisk mörk",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klassisk ljus",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Mörkt hav",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ljust hav",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Beskär gemenskaper",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Ta bort meddelanden äldre än 6 månader från gemenskaper som har över 2000 meddelanden.",
"enable": "Enable", "enable": "Aktivera",
"keepDisabled": "Keep disabled", "keepDisabled": "Behåll inaktiverad",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Informationen som visas i aviseringar.",
"nameAndMessage": "Både sändarens namn och meddelande", "nameAndMessage": "Namn & Innehåll",
"noNameOrMessage": "Varken namn eller meddelande", "noNameOrMessage": "Varken namn eller meddelande",
"nameOnly": "Enbart sändarens namn", "nameOnly": "Enbart sändarens namn",
"newMessage": "Nytt meddelande", "newMessage": "Nytt meddelande",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Skapa en konversation med en ny kontakt",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Skapa en grupp med befintliga kontakter",
"joinACommunity": "Join a community", "joinACommunity": "Gå med i en gemenskap",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Välj en åtgärd för att starta en konversation",
"newMessages": "Nya meddelanden", "newMessages": "Nya meddelanden",
"notificationMostRecentFrom": "Nyligen från:", "notificationMostRecentFrom": "Nyligen från:",
"notificationFrom": "Från:", "notificationFrom": "Från:",
@ -174,7 +176,7 @@
"sendFailed": "Att skicka meddelandet misslyckades", "sendFailed": "Att skicka meddelandet misslyckades",
"mediaMessage": "Mediameddelande", "mediaMessage": "Mediameddelande",
"messageBodyMissing": "Ange ett meddelande.", "messageBodyMissing": "Ange ett meddelande.",
"messageBody": "Message body", "messageBody": "Meddelandetext",
"unblockToSend": "Avblockera denna kontakt för att skicka meddelanden.", "unblockToSend": "Avblockera denna kontakt för att skicka meddelanden.",
"unblockGroupToSend": "Avblockera denna grupp för att skicka meddelanden.", "unblockGroupToSend": "Avblockera denna grupp för att skicka meddelanden.",
"youChangedTheTimer": "Du satte tiden för försvinnande meddelanden till $time$", "youChangedTheTimer": "Du satte tiden för försvinnande meddelanden till $time$",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 timmar", "timerOption_12_hours": "12 timmar",
"timerOption_1_day": "1 dag", "timerOption_1_day": "1 dag",
"timerOption_1_week": "1 vecka", "timerOption_1_week": "1 vecka",
"timerOption_2_weeks": "2 veckor",
"disappearingMessages": "Försvinnande meddelanden", "disappearingMessages": "Försvinnande meddelanden",
"changeNickname": "Ändra smeknamn", "changeNickname": "Ändra smeknamn",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12 tim", "timerOption_12_hours_abbreviated": "12 tim",
"timerOption_1_day_abbreviated": "1 dag", "timerOption_1_day_abbreviated": "1 dag",
"timerOption_1_week_abbreviated": "1v", "timerOption_1_week_abbreviated": "1v",
"timerOption_2_weeks_abbreviated": "2v",
"disappearingMessagesDisabled": "Försvinnande meddelanden inaktiverat", "disappearingMessagesDisabled": "Försvinnande meddelanden inaktiverat",
"disabledDisappearingMessages": "$name$ stängde av att meddelanden försvinner.", "disabledDisappearingMessages": "$name$ har stängt av försvinnande meddelanden.",
"youDisabledDisappearingMessages": "Du stängde av att meddelanden försvinner.", "youDisabledDisappearingMessages": "Du stängde av att meddelanden försvinner.",
"timerSetTo": "Tidsgräns inställt till $time$", "timerSetTo": "Tidsgräns inställt till $time$",
"noteToSelf": "Notera till mig själv", "noteToSelf": "Notera till mig själv",
"hideMenuBarTitle": "Dölj menyfältet", "hideMenuBarTitle": "Dölj menyfältet",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Växla synlighet för systemmenyraden.",
"startConversation": "Starta en ny konversation…", "startConversation": "Starta en ny konversation…",
"invalidNumberError": "Felaktigt nummer", "invalidNumberError": "Kontrollera sessions-ID eller ONS-namn och försök igen",
"failedResolveOns": "Misslyckades att lösa ONS-namnet", "failedResolveOns": "Misslyckades att lösa ONS-namnet",
"autoUpdateSettingTitle": "Uppdatera automatiskt", "autoUpdateSettingTitle": "Uppdatera automatiskt",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Sök efter uppdateringar automatiskt vid uppstart.",
"autoUpdateNewVersionTitle": "Uppdatering för Session tillgänglig", "autoUpdateNewVersionTitle": "Uppdatering för Session tillgänglig",
"autoUpdateNewVersionMessage": "Det finns en ny version av Session tillgänglig.", "autoUpdateNewVersionMessage": "Det finns en ny version av Session tillgänglig.",
"autoUpdateNewVersionInstructions": "Vänligen starta om Session för att uppdatera", "autoUpdateNewVersionInstructions": "Vänligen starta om Session för att uppdatera",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$names$ gick med i gruppen", "multipleJoinedTheGroup": "$names$ gick med i gruppen",
"kickedFromTheGroup": "$name$ togs bort från gruppen.", "kickedFromTheGroup": "$name$ togs bort från gruppen.",
"multipleKickedFromTheGroup": "$name$ vart borttagen från gruppen.", "multipleKickedFromTheGroup": "$name$ vart borttagen från gruppen.",
"blockUser": "Blockera", "block": "Block",
"unblockUser": "Avblockera", "unblock": "Unblock",
"unblocked": "Avblockerad", "unblocked": "Avblockerad",
"blocked": "Blockerad", "blocked": "Blockerad",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Spärrade kontakter",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Konversationer",
"unbanUser": "Avbannlys användaren", "unbanUser": "Avbannlys användaren",
"userUnbanned": "Användaren har blivit avbannlyst", "userUnbanned": "Användaren har blivit avbannlyst",
"userUnbanFailed": "Obannlysning misslyckades!", "userUnbanFailed": "Obannlysning misslyckades!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "Bannlysning misslyckades!", "userBanFailed": "Bannlysning misslyckades!",
"leaveGroup": "Lämna grupp", "leaveGroup": "Lämna grupp",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Lämna gruppen och ta bort för alla",
"leaveGroupConfirmation": "Är du säker på att du vill lämna denna grupp?", "leaveGroupConfirmation": "Är du säker på att du vill lämna denna grupp?",
"leaveGroupConfirmationAdmin": "Eftersom du är administratör för denna grupp, om du lämnar kommer den tas bort för alla nuvarande medlemmar. Är du säker på att du vill lämna denna grupp?", "leaveGroupConfirmationAdmin": "Eftersom du är administratör för denna grupp, om du lämnar kommer den tas bort för alla nuvarande medlemmar. Är du säker på att du vill lämna denna grupp?",
"cannotRemoveCreatorFromGroup": "Kan inte ta bort denna användare", "cannotRemoveCreatorFromGroup": "Kan inte ta bort denna användare",
"cannotRemoveCreatorFromGroupDesc": "Du kan inte ta bort denna användare eftersom de är skaparen av gruppen.", "cannotRemoveCreatorFromGroupDesc": "Du kan inte ta bort denna användare eftersom de är skaparen av gruppen.",
"noContactsForGroup": "Du har inga kontakter än", "noContactsForGroup": "Du har inga kontakter än",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Kunde inte lägga till användare som administratör",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Det gick inte att ta bort användaren från administratörslistan",
"copyMessage": "Kopiera meddelande", "copyMessage": "Kopiera meddelande",
"selectMessage": "Markera meddelande", "selectMessage": "Markera meddelande",
"editGroup": "Redigera grupp", "editGroup": "Redigera grupp",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "Uppdaterar $name$...", "updateGroupDialogTitle": "Uppdaterar $name$...",
"showRecoveryPhrase": "Återställningsfras", "showRecoveryPhrase": "Återställningsfras",
"yourSessionID": "Ditt Session-ID", "yourSessionID": "Ditt Session-ID",
"setAccountPasswordTitle": "Ange kontolösenord", "setAccountPasswordTitle": "Lösenord",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Kräv lösenord för att låsa upp Session.",
"changeAccountPasswordTitle": "Ändra konto lösenord", "changeAccountPasswordTitle": "Ändra lösenord",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Ändra lösenordet som krävs för att låsa upp Session.",
"removeAccountPasswordTitle": "Ta bort kontots lösenord", "removeAccountPasswordTitle": "Ta bort lösenord",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Ändra lösenordet som krävs för att låsa upp Session.",
"enterPassword": "Ange ditt lösenord", "enterPassword": "Ange ditt lösenord",
"confirmPassword": "Bekräfta lösenord", "confirmPassword": "Bekräfta lösenord",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "Ange nytt lösenord",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "Bekräfta nytt lösenord",
"showRecoveryPhrasePasswordRequest": "Ange ditt lösenord", "showRecoveryPhrasePasswordRequest": "Ange ditt lösenord",
"recoveryPhraseSavePromptMain": "Din återställningsfras är huvudnyckeln till ditt Session-ID du kan använda den för att återställa ditt Session-ID om du förlorar åtkomst till enheten. Förvara din återställningsfras på en säker plats, och ge den inte till någon.", "recoveryPhraseSavePromptMain": "Din återställningsfras är huvudnyckeln till ditt Session-ID du kan använda den för att återställa ditt Session-ID om du förlorar åtkomst till enheten. Förvara din återställningsfras på en säker plats, och ge den inte till någon.",
"invalidOpenGroupUrl": "Ogiltig URL", "invalidOpenGroupUrl": "Ogiltig URL",
"copiedToClipboard": "Kopierat till urklipp", "copiedToClipboard": "Kopierad",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Ange lösenord",
"password": "Lösenord", "password": "Lösenord",
"setPassword": "Ange lösenord", "setPassword": "Ange lösenord",
"changePassword": "Ändra lösenord", "changePassword": "Ändra lösenord",
"createPassword": "Create your password", "createPassword": "Skapa ditt lösenord",
"removePassword": "Ta bort lösenordet", "removePassword": "Ta bort lösenordet",
"maxPasswordAttempts": "Ogiltigt lösenord. Vill du återställa databasen?", "maxPasswordAttempts": "Ogiltigt lösenord. Vill du återställa databasen?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "Ange ditt nuvarande lösenord",
"invalidOldPassword": "Ditt gamla lösenord är ogiltigt", "invalidOldPassword": "Ditt gamla lösenord är ogiltigt",
"invalidPassword": "Ogiltigt lösenord", "invalidPassword": "Ogiltigt lösenord",
"noGivenPassword": "Ange ditt lösenord", "noGivenPassword": "Ange ditt lösenord",
@ -295,16 +299,16 @@
"setPasswordInvalid": "Lösenorden matchar ej", "setPasswordInvalid": "Lösenorden matchar ej",
"changePasswordInvalid": "Det gamla lösenordet du angav är felaktigt", "changePasswordInvalid": "Det gamla lösenordet du angav är felaktigt",
"removePasswordInvalid": "Felaktigt lösenord", "removePasswordInvalid": "Felaktigt lösenord",
"setPasswordTitle": "Ange ett lösenord", "setPasswordTitle": "Lösenord sparat",
"changePasswordTitle": "Ändrat lösenord", "changePasswordTitle": "Lösenord ändrat",
"removePasswordTitle": "Tog bort lösenord", "removePasswordTitle": "Lösenord har tagits bort",
"setPasswordToastDescription": "Ditt lösenord har angetts. Håll det säkert.", "setPasswordToastDescription": "Ditt lösenord har angetts. Håll det säkert.",
"changePasswordToastDescription": "Ditt lösenord har ändrats. Håll det säkert.", "changePasswordToastDescription": "Ditt lösenord har ändrats. Håll det säkert.",
"removePasswordToastDescription": "Du har tagit bort ditt lösenord.", "removePasswordToastDescription": "Ditt lösenord har tagits bort.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "Du är redan ansluten till denna gemenskap",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Kunde inte ansluta till gemenskapen",
"connectingToServer": "Ansluter...", "connectingToServer": "Ansluter...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "Anslutning till gemenskap lyckades",
"setPasswordFail": "Misslyckades att uppdatera lösenordet", "setPasswordFail": "Misslyckades att uppdatera lösenordet",
"passwordLengthError": "Lösenordet måste vara mellan 6 och 12 tecken långt", "passwordLengthError": "Lösenordet måste vara mellan 6 och 12 tecken långt",
"passwordTypeError": "Lösenordet måste vara en sträng", "passwordTypeError": "Lösenordet måste vara en sträng",
@ -316,20 +320,20 @@
"editProfileModalTitle": "Profil", "editProfileModalTitle": "Profil",
"groupNamePlaceholder": "Gruppnamn", "groupNamePlaceholder": "Gruppnamn",
"inviteContacts": "Bjud in vänner", "inviteContacts": "Bjud in vänner",
"addModerators": "Add Admins", "addModerators": "Lägg till administratörer",
"removeModerators": "Remove Admins", "removeModerators": "Ta bort Administratörer",
"addAsModerator": "Add as Admin", "addAsModerator": "Lägg till som administratör",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "Ta bort från administratörer",
"add": "Lägg till", "add": "Lägg till",
"addingContacts": "Lägger till kontakter till $name$", "addingContacts": "Lägger till kontakter till $name$",
"noContactsToAdd": "Inga kontakter att lägga till", "noContactsToAdd": "Inga kontakter att lägga till",
"noMembersInThisGroup": "Inga andra medlemmar i gruppen", "noMembersInThisGroup": "Inga andra medlemmar i gruppen",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "inga administratörer att ta bort",
"onlyAdminCanRemoveMembers": "Du är inte skaparen", "onlyAdminCanRemoveMembers": "Du är inte skaparen",
"onlyAdminCanRemoveMembersDesc": "Endast skaparen av gruppen kan ta bort användare", "onlyAdminCanRemoveMembersDesc": "Endast skaparen av gruppen kan ta bort användare",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "Behåll i systemfältet", "startInTrayTitle": "Behåll i systemfältet",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Session fortsätter att köras i bakgrunden när du stänger fönstret.",
"yourUniqueSessionID": "Säg hej till ditt Session-ID", "yourUniqueSessionID": "Säg hej till ditt Session-ID",
"allUsersAreRandomly...": "Ditt session-ID är en unik adress folk kan använda för att kontakta dig på Session. Utan koppling till din riktiga identitet, ditt Sessions-ID är helt anonymt och privat.", "allUsersAreRandomly...": "Ditt session-ID är en unik adress folk kan använda för att kontakta dig på Session. Utan koppling till din riktiga identitet, ditt Sessions-ID är helt anonymt och privat.",
"getStarted": "Kom igång", "getStarted": "Kom igång",
@ -344,40 +348,43 @@
"linkDevice": "Koppla enhet", "linkDevice": "Koppla enhet",
"restoreUsingRecoveryPhrase": "Återställ ditt konto", "restoreUsingRecoveryPhrase": "Återställ ditt konto",
"or": "eller", "or": "eller",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "Genom att använda denna tjänst godkänner du våra <a href=\"https://getsession.org/terms-of-service \">Användarvillkor</a> och <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Sekretesspolicy</a>",
"beginYourSession": "Börja din Session.", "beginYourSession": "Börja din Session.",
"welcomeToYourSession": "Välkommen till Session", "welcomeToYourSession": "Välkommen till Session",
"searchFor...": "Search conversations and contacts", "searchFor...": "Sök i konversationer och kontakter",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "Sök kontakter",
"enterSessionID": "Ange Session-ID", "enterSessionID": "Ange Session-ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "Ange din kontakts Session-ID eller ONS",
"message": "Meddelande", "message": "Meddelande",
"appearanceSettingsTitle": "Utseende", "appearanceSettingsTitle": "Utseende",
"privacySettingsTitle": "Sekretess", "privacySettingsTitle": "Sekretess",
"notificationsSettingsTitle": "Aviseringar", "notificationsSettingsTitle": "Aviseringar",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "Aviseringsinnehåll",
"notificationPreview": "Förhandsgranska",
"recoveryPhraseEmpty": "Ange din återställningsfras", "recoveryPhraseEmpty": "Ange din återställningsfras",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ medlemmar", "members": "$count$ medlemmar",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "Anslut",
"createGroup": "Create Group", "joinOpenGroup": "Gå med i gemenskapen",
"create": "Create", "createGroup": "Skapa grupp",
"create": "Skapa",
"createClosedGroupNamePrompt": "Gruppnamn", "createClosedGroupNamePrompt": "Gruppnamn",
"createClosedGroupPlaceholder": "Ange ett gruppnamn", "createClosedGroupPlaceholder": "Ange ett gruppnamn",
"openGroupURL": "Community URL", "openGroupURL": "Gemenskapens URL",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "Ange Gemenskapens URL",
"next": "Nästa", "next": "Nästa",
"invalidGroupNameTooShort": "Ange ett gruppnamn", "invalidGroupNameTooShort": "Ange ett gruppnamn",
"invalidGroupNameTooLong": "Ange ett kortare gruppnamn", "invalidGroupNameTooLong": "Ange ett kortare gruppnamn",
"pickClosedGroupMember": "Välj minst 1 gruppmedlem", "pickClosedGroupMember": "Välj minst 1 gruppmedlem",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "En grupp kan inte ha fler än 100 medlemmar",
"noBlockedContacts": "Inga blockerade kontakter", "noBlockedContacts": "Du har inga blockerade kontakter.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "Användare tillagd i admin-listan",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "Användare borttagen från admin-listan",
"orJoinOneOfThese": "Eller gå med i en av dessa...", "orJoinOneOfThese": "Eller gå med i en av dessa...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "Översätt Session",
"closedGroupInviteFailTitle": "Gruppinbjudan misslyckades", "closedGroupInviteFailTitle": "Gruppinbjudan misslyckades",
"closedGroupInviteFailTitlePlural": "Gruppinbjudningar misslyckades", "closedGroupInviteFailTitlePlural": "Gruppinbjudningar misslyckades",
"closedGroupInviteFailMessage": "Kunde inte bjuda in en gruppmedlem", "closedGroupInviteFailMessage": "Kunde inte bjuda in en gruppmedlem",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "Försök att bjuda igen", "closedGroupInviteOkText": "Försök att bjuda igen",
"closedGroupInviteSuccessTitlePlural": "Gruppinbjudningar misslyckades", "closedGroupInviteSuccessTitlePlural": "Gruppinbjudningar misslyckades",
"closedGroupInviteSuccessTitle": "Gruppinbjudan misslyckades", "closedGroupInviteSuccessTitle": "Gruppinbjudan misslyckades",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "Lyckades bjuda in gruppmedlemmar",
"notificationForConvo": "Aviseringar", "notificationForConvo": "Aviseringar",
"notificationForConvo_all": "Alla", "notificationForConvo_all": "Alla",
"notificationForConvo_disabled": "Inaktiverad", "notificationForConvo_disabled": "Inaktiverad",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "Öppna länken i din webbläsare?", "linkVisitWarningTitle": "Öppna länken i din webbläsare?",
"linkVisitWarningMessage": "Är du säker du vill öppna $url$ i din webbläsare?", "linkVisitWarningMessage": "Är du säker du vill öppna $url$ i din webbläsare?",
"open": "Öppna", "open": "Öppna",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "Spela automatiskt upp ljudmeddelanden",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "Automatisk spela upp efterföljande ljudmeddelanden.",
"clickToTrustContact": "Klicka för att ladda ned", "clickToTrustContact": "Klicka för att ladda ned",
"trustThisContactDialogTitle": "Lita på $name$?", "trustThisContactDialogTitle": "Lita på $name$?",
"trustThisContactDialogDescription": "Är du säker du vill hämta media skickat av $name$?", "trustThisContactDialogDescription": "Är du säker du vill hämta media skickat av $name$?",
"pinConversation": "Fäst konversation", "pinConversation": "Fäst konversation",
"unpinConversation": "Lossa konversation", "unpinConversation": "Lossa konversation",
"markUnread": "Mark Unread",
"showUserDetails": "Visa användardetaljer", "showUserDetails": "Visa användardetaljer",
"sendRecoveryPhraseTitle": "Skickar återställningsfras", "sendRecoveryPhraseTitle": "Skickar återställningsfras",
"sendRecoveryPhraseMessage": "Du försöker skicka din återställningsfras som kan användas för att komma åt ditt konto. Är du säker på att du vill skicka detta meddelande?", "sendRecoveryPhraseMessage": "Du försöker skicka din återställningsfras som kan användas för att komma åt ditt konto. Är du säker på att du vill skicka detta meddelande?",
@ -413,33 +421,36 @@
"dialogClearAllDataDeletionFailedDesc": "Uppgifterna raderades inte med ett okänt fel. Vill du radera uppgifterna från bara den här enheten?", "dialogClearAllDataDeletionFailedDesc": "Uppgifterna raderades inte med ett okänt fel. Vill du radera uppgifterna från bara den här enheten?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Vill du radera data från bara den här enheten?", "dialogClearAllDataDeletionFailedTitleQuestion": "Vill du radera data från bara den här enheten?",
"dialogClearAllDataDeletionFailedMultiple": "Uppgifterna raderades inte av dessa tjänstnoder: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Uppgifterna raderades inte av dessa tjänstnoder: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Vill du bara rensa den här enheten eller ta bort dina data från nätverket?",
"deviceOnly": "Clear Device Only", "clearDevice": "Nollställ enheten",
"entireAccount": "Clear Device and Network", "tryAgain": "Försök igen",
"areYouSureClearDevice": "Är du säker på att du vill återställa enheten?",
"deviceOnly": "Nollställ endast enheten",
"entireAccount": "Nollställ enhet och nätverk",
"areYouSureDeleteDeviceOnly": "Är du säker på att du vill radera din enhets uppgifter?", "areYouSureDeleteDeviceOnly": "Är du säker på att du vill radera din enhets uppgifter?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "Är du säker på att du vill ta bort dina data från nätverket? Om du fortsätter kommer du inte att kunna återställa dina meddelanden eller kontakter.",
"iAmSure": "Jag är säker", "iAmSure": "Jag är säker",
"recoveryPhraseSecureTitle": "Du är nästan färdig!", "recoveryPhraseSecureTitle": "Du är nästan färdig!",
"recoveryPhraseRevealMessage": "Säkra ditt konto genom att spara din återställningsfras. Visa din återställningsfras och lagra den på ett säkert sätt.", "recoveryPhraseRevealMessage": "Säkra ditt konto genom att spara din återställningsfras. Visa din återställningsfras och lagra den på ett säkert sätt.",
"recoveryPhraseRevealButtonText": "Visa återställningsfras", "recoveryPhraseRevealButtonText": "Visa återställningsfras",
"notificationSubtitle": "Notifierings - $setting$", "notificationSubtitle": "Notifierings - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "Vi skulle uppskatta din feedback",
"faq": "FAQ", "faq": "Vanliga frågor",
"support": "Support", "support": "Support",
"clearAll": "Clear All", "clearAll": "Rensa Allt",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "Rensa data",
"messageRequests": "Meddelandeförfrågningar", "messageRequests": "Meddelandeförfrågningar",
"requestsSubtitle": "Pågående förfrågningar", "requestsSubtitle": "Pågående förfrågningar",
"requestsPlaceholder": "Inga förfrågningar", "requestsPlaceholder": "Inga förfrågningar",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.", "hideRequestBannerDescription": "Dölj annonsen för meddelandebegäran tills du får en ny meddelandeförfrågan.",
"incomingCallFrom": "Inkommande samtal från '$name$'", "incomingCallFrom": "Inkommande samtal från '$name$'",
"ringing": "Ringer...", "ringing": "Ringer...",
"establishingConnection": "Etablerar anslutning...", "establishingConnection": "Etablerar anslutning...",
"accept": "Acceptera", "accept": "Acceptera",
"decline": "Neka", "decline": "Neka",
"endCall": "Avsluta samtal", "endCall": "Avsluta samtal",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "Behörigheter",
"helpSettingsTitle": "Help", "helpSettingsTitle": "Hlp",
"cameraPermissionNeededTitle": "Kräver behörigheter för röst/video-samtal", "cameraPermissionNeededTitle": "Kräver behörigheter för röst/video-samtal",
"cameraPermissionNeeded": "Du kan aktivera behörigheten \"Röst- och videosamtal\" i Sekretessinställningarna.", "cameraPermissionNeeded": "Du kan aktivera behörigheten \"Röst- och videosamtal\" i Sekretessinställningarna.",
"unableToCall": "Avbryt pågående samtal först", "unableToCall": "Avbryt pågående samtal först",
@ -449,44 +460,49 @@
"noCameraFound": "Ingen kamera hittades", "noCameraFound": "Ingen kamera hittades",
"noAudioInputFound": "Ingen ljudinmatning hittades", "noAudioInputFound": "Ingen ljudinmatning hittades",
"noAudioOutputFound": "Ingen ljudutmatning hittades", "noAudioOutputFound": "Ingen ljudutmatning hittades",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "Röst- och videosamtal (Beta)",
"callMissedCausePermission": "Missade ett samtal från \"$name$\" eftersom du måste aktivera behörigheten \"Röst- och videosamtal\" i Sekretessinställningarna.", "callMissedCausePermission": "Missade ett samtal från \"$name$\" eftersom du måste aktivera behörigheten \"Röst- och videosamtal\" i Sekretessinställningarna.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Samtal missade från '$name$' som du inte har godkänt denna konversation ännu. Skicka ett meddelande till dem först.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Aktiverar röst- och videosamtal till och från andra användare.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Din IP-adress är synlig för din samtalspartner och en Oxen Foundation-server när du använder beta-samtal. Är du säker på att du vill aktivera röst- och videosamtal?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Röst- och videosamtal (Beta)",
"startedACall": "Du ringde $name$", "startedACall": "Du ringde $name$",
"answeredACall": "Samtal med $name$", "answeredACall": "Samtal med $name$",
"trimDatabase": "Trimma databasen", "trimDatabase": "Trimma databasen",
"trimDatabaseDescription": "Minskar storleken på ditt meddelande databas till dina senaste 10.000 meddelanden.", "trimDatabaseDescription": "Minskar storleken på ditt meddelande databas till dina senaste 10.000 meddelanden.",
"trimDatabaseConfirmationBody": "Är du säker på att du vill ta bort dina $deleteAmount$ äldsta mottagna meddelanden?", "trimDatabaseConfirmationBody": "Är du säker på att du vill ta bort dina $deleteAmount$ äldsta mottagna meddelanden?",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...", "pleaseWaitOpenAndOptimizeDb": "Vänligen vänta medan din databas öppnas och optimeras...",
"messageRequestPending": "Your message request is currently pending", "messageRequestPending": "Din meddelandeförfrågan inväntar svar",
"messageRequestAccepted": "Your message request has been accepted", "messageRequestAccepted": "Din meddelandeförfrågan har godkänts",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request", "messageRequestAcceptedOurs": "Du har accepterat $name$s meddelandebegäran",
"messageRequestAcceptedOursNoName": "You have accepted the message request", "messageRequestAcceptedOursNoName": "Du har godkänt meddelandeförfrågan",
"declineRequestMessage": "Are you sure you want to decline this message request?", "declineRequestMessage": "Är du säker på att du vill avvisa denna meddelandeförfrågan?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "respondingToRequestWarning": "Att skicka ett meddelande till den här användaren godkänner automatiskt deras meddelandebegäran och avslöjar ditt Session ID.",
"hideRequestBanner": "Hide Message Request Banner", "hideRequestBanner": "Dölj meddelandeförfrågningsbanner",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "Meddelandeförfrågningar",
"noMessageRequestsPending": "No pending message requests", "noMessageRequestsPending": "Inga väntande meddelandeförfrågningar",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved", "noMediaUntilApproved": "Du kan inte skicka bilagor förrän konversationen har godkänts",
"mustBeApproved": "This conversation must be accepted to use this feature", "mustBeApproved": "Denna konversation måste godkännas för att använda denna funktion",
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "Du har en ny vänförfrågan",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Rensa alla meddelandeförfrågningar",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Är du säker på att du vill rensa alla meddelandeförfrågningar?",
"hideBanner": "Hide", "noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"expandedReactionsText": "Show Less", "hideBanner": "Dölj",
"reactionNotification": "Reacts to a message with $emoji$", "someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"otherSingular": "$number$ other", "openMessageRequestInboxDescription": "Visa inkorg för meddelandebegäran",
"otherPlural": "$number$ others", "clearAllReactions": "Vill du verkligen rensa alla $emoji$ ?",
"reactionPopup": "reacted with", "expandedReactionsText": "Visa färre",
"reactionNotification": "Reagerar på ett meddelande med $emoji$",
"rateLimitReactMessage": "Lugna ner dig! Du har sänt för många emojis. Försök igen om en stund",
"otherSingular": "$number$ annat",
"otherPlural": "$number$ övriga",
"reactionPopup": "reagerade med",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "Ytterligare $otherSingular$ har reagerat <span>$emoji$</span> på detta meddelande",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "Ytterligare $otherPlural$ har reagerat <span>$emoji$</span> på detta meddelande"
} }

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$ குழுவில் சேர வேண்டுமா?", "joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$ குழுவில் சேர வேண்டுமா?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "தொடர்புடைய திறந்த குழு சேவையகத்தைக் கண்டறிய முடியவில்லை", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "அமர்வு ஐடி அல்லது ஓஎன்எஸ் பெயரை உள்ளிடுக", "enterSessionIDOrONSName": "அமர்வு ஐடி அல்லது ஓஎன்எஸ் பெயரை உள்ளிடுக",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "ஏற்றபடுகின்றது...", "loading": "ஏற்றபடுகின்றது...",
@ -72,7 +72,7 @@
"noSearchResults": "\"{$searchTerm$\" க்கான தேடல் முடிவுகள் எதுவும் இல்லை", "noSearchResults": "\"{$searchTerm$\" க்கான தேடல் முடிவுகள் எதுவும் இல்லை",
"conversationsHeader": "தொடர்புகள் மற்றும் குழுக்கள்", "conversationsHeader": "தொடர்புகள் மற்றும் குழுக்கள்",
"contactsHeader": "தொடர்புகள்", "contactsHeader": "தொடர்புகள்",
"messagesHeader": "தகவல்கள்", "messagesHeader": "Conversations",
"settingsHeader": "அமைப்புகள்", "settingsHeader": "அமைப்புகள்",
"typingAlt": "இந்த உரையாடலுக்கான அனிமேஷன் தட்டச்சு", "typingAlt": "இந்த உரையாடலுக்கான அனிமேஷன் தட்டச்சு",
"contactAvatarAlt": "தொடர்பு $name$ க்கான அவதார்", "contactAvatarAlt": "தொடர்பு $name$ க்கான அவதார்",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "தகவலைகலை நீக்கு", "deleteMessages": "தகவலைகலை நீக்கு",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "அனுப்புனர்:", "from": "அனுப்புனர்:",
@ -107,29 +108,30 @@
"sent": "அனுப்பப்பட்டது", "sent": "அனுப்பப்பட்டது",
"received": "பெறப்பட்டது", "received": "பெறப்பட்டது",
"sendMessage": "செய்தி", "sendMessage": "செய்தி",
"groupMembers": "குழு ", "groupMembers": "Members",
"moreInformation": "மேற்கொண்ட தகவல்கள்", "moreInformation": "மேற்கொண்ட தகவல்கள்",
"resend": "மீண்டும் அனுப்பு", "resend": "மீண்டும் அனுப்பு",
"deleteConversationConfirmation": "Permanently delete the messages in this conversation?", "deleteConversationConfirmation": "Permanently delete the messages in this conversation?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message", "quoteThumbnailAlt": "Thumbnail of image from quoted message",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Image sent in conversation", "lightboxImageAlt": "Image sent in conversation",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...", "addACaption": "Add a caption...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "Save", "save": "Save",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Name and content", "nameAndMessage": "Name & Content",
"noNameOrMessage": "No name or content", "noNameOrMessage": "No name or content",
"nameOnly": "Name Only", "nameOnly": "Name Only",
"newMessage": "புதிய தகவல்", "newMessage": "புதிய தகவல்",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 hours", "timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 day", "timerOption_1_day": "1 day",
"timerOption_1_week": "1 week", "timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Disappearing messages", "disappearingMessages": "Disappearing messages",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 மணி நேரம்", "timerOption_12_hours_abbreviated": "12 மணி நேரம்",
"timerOption_1_day_abbreviated": "1 நாள்", "timerOption_1_day_abbreviated": "1 நாள்",
"timerOption_1_week_abbreviated": "1 வாரம்", "timerOption_1_week_abbreviated": "1 வாரம்",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "youDisabledDisappearingMessages": "You disabled disappearing messages.",
"timerSetTo": "Disappearing message time set to $time$", "timerSetTo": "Disappearing message time set to $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start New Conversation", "startConversation": "Start New Conversation",
"invalidNumberError": "Invalid Session ID or ONS Name", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ joined the group.", "multipleJoinedTheGroup": "$name$ joined the group.",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Join $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Enter Session ID or ONS name", "enterSessionIDOrONSName": "Enter Session ID or ONS name",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "กำลังโหลด...", "loading": "กำลังโหลด...",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Contacts and Groups", "conversationsHeader": "Contacts and Groups",
"contactsHeader": "ผู้ติดต่อ", "contactsHeader": "ผู้ติดต่อ",
"messagesHeader": "ข้อความ", "messagesHeader": "Conversations",
"settingsHeader": "Settings", "settingsHeader": "Settings",
"typingAlt": "Typing animation for this conversation", "typingAlt": "Typing animation for this conversation",
"contactAvatarAlt": "ภาพบุคคลที่ติดต่อ", "contactAvatarAlt": "ภาพบุคคลที่ติดต่อ",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Delete $count$ messages?", "deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?", "deleteMessageQuestion": "Delete this message?",
"deleteMessages": "ลบข้อความ", "deleteMessages": "ลบข้อความ",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted", "messageDeletedPlaceholder": "This message has been deleted",
"from": "จาก", "from": "จาก",
@ -107,29 +108,30 @@
"sent": "ส่งแล้ว", "sent": "ส่งแล้ว",
"received": "ได้รับแล้ว", "received": "ได้รับแล้ว",
"sendMessage": "ส่งข้อความ", "sendMessage": "ส่งข้อความ",
"groupMembers": "สมาชิกกลุ่ม", "groupMembers": "Members",
"moreInformation": "More information", "moreInformation": "More information",
"resend": "Resend", "resend": "Resend",
"deleteConversationConfirmation": "ลบการสนทนานี้โดยถาวรหรือไม่", "deleteConversationConfirmation": "ลบการสนทนานี้โดยถาวรหรือไม่",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Clear All Data", "clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?", "deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "รูปย่อจากข้อความที่อ้างถึง", "quoteThumbnailAlt": "รูปย่อจากข้อความที่อ้างถึง",
"imageAttachmentAlt": "Image attached to message", "imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video attached to message", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "ภาพถูกส่งไปในการสนทนา", "lightboxImageAlt": "ภาพถูกส่งไปในการสนทนา",
"imageCaptionIconAlt": "Icon showing that this image has a caption", "imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...", "addACaption": "Add a caption...",
"copySessionID": "Copy Session ID", "copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group's URL", "copyOpenGroupURL": "Copy Group URL",
"save": "บันทึก", "save": "บันทึก",
"saveLogToDesktop": "Save log to desktop", "saveLogToDesktop": "Save log to desktop",
"saved": "Saved", "saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot", "tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$", "savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews", "linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.", "linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone", "mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "ทั้งชื่อผู้ส่งและข้อความ", "nameAndMessage": "Name & Content",
"noNameOrMessage": "ไม่ทั้งชื่อหรือข้อความ", "noNameOrMessage": "ไม่ทั้งชื่อหรือข้อความ",
"nameOnly": "เฉพาะชื่อผู้ส่ง", "nameOnly": "เฉพาะชื่อผู้ส่ง",
"newMessage": "ข้อความใหม่", "newMessage": "ข้อความใหม่",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 ชั่วโมง", "timerOption_12_hours": "12 ชั่วโมง",
"timerOption_1_day": "1 วัน", "timerOption_1_day": "1 วัน",
"timerOption_1_week": "1 อาทิตย์", "timerOption_1_week": "1 อาทิตย์",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "ข้อความที่ลบตัวเอง", "disappearingMessages": "ข้อความที่ลบตัวเอง",
"changeNickname": "Change Nickname", "changeNickname": "Change Nickname",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12h", "timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d", "timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w", "timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled", "disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "ตั้งค่าตัวตั้งเวลาไว้ที่ $time$", "timerSetTo": "ตั้งค่าตัวตั้งเวลาไว้ที่ $time$",
"noteToSelf": "Note to Self", "noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "หมายเลขไม่ถูกต้อง", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update", "autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ ได้เข้าร่วมกลุ่ม", "multipleJoinedTheGroup": "$names$ ได้เข้าร่วมกลุ่ม",
"kickedFromTheGroup": "$name$ was removed from the group.", "kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.", "multipleKickedFromTheGroup": "$name$ were removed from the group.",
"blockUser": "Block", "block": "Block",
"unblockUser": "Unblock", "unblock": "Unblock",
"unblocked": "Unblocked", "unblocked": "Unblocked",
"blocked": "Blocked", "blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Account Password", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Account Password", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Confirm password", "confirmPassword": "Confirm password",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Password", "password": "Password",
"setPassword": "Set Password", "setPassword": "Set Password",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Passwords do not match", "setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Set Password", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...", "connectingToServer": "Connecting...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy", "privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications", "notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Please enter a shorter group name", "invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

508
_locales/tl/messages.json Normal file
View File

@ -0,0 +1,508 @@
{
"copyErrorAndQuit": "Kopyahin ang error at umalis",
"unknown": "Hindi kilala",
"databaseError": "Error ang Database",
"mainMenuFile": "&File",
"mainMenuEdit": "&I-edit",
"mainMenuView": "&Tingnan",
"mainMenuWindow": "&Window",
"mainMenuHelp": "&Tulong",
"appMenuHide": "Itago",
"appMenuHideOthers": "Itago ang Iba",
"appMenuUnhide": "Ipakita ang Lahat",
"appMenuQuit": "Umalis sa Session",
"editMenuUndo": "Ipawalang-bisa",
"editMenuRedo": "Gawin muli",
"editMenuCut": "Putulin",
"editMenuCopy": "Kopyahin",
"editMenuPaste": "Idikit",
"editMenuDeleteContact": "ALisin ang Contact",
"editMenuDeleteGroup": "Alisin ang Grupo",
"editMenuSelectAll": "Piliin lahat",
"windowMenuClose": "Isara ang Window",
"windowMenuMinimize": "Paliitin",
"windowMenuZoom": "I-zoom",
"viewMenuResetZoom": "Aktwal na Sukat",
"viewMenuZoomIn": "Palakihin",
"viewMenuZoomOut": "Paliitin",
"viewMenuToggleFullScreen": "I-toogle ang Buong Screen",
"viewMenuToggleDevTools": "I-toggle ang Mga Tool ng Developer",
"contextMenuNoSuggestions": "Walang Mga Mungkahi",
"openGroupInvitation": "Imbitasyon ng Komunidad",
"joinOpenGroupAfterInvitationConfirmationTitle": "Sumali sa $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Sigurado ka bang gusto mong sumali sa grupo ng $roomName$?",
"couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Ilagay ang Session ID o pangalan ng ONS",
"startNewConversationBy...": "Magsimula ng bagong usapan sa pamamagitan ng paglalagay ng Session ID ng isang tao o ibahagi ang Session ID mo sa kanila.",
"loading": "Naglo-loading...",
"done": "Tapos na",
"youLeftTheGroup": "Umalis ka na sa grupo.",
"youGotKickedFromGroup": "Tinanggal ka mula sa grupo.",
"unreadMessages": "Mga Hindi Nabasang Mensahe",
"debugLogExplanation": "Ise-save ang log na ito sa iyong desktop.",
"reportIssue": "Mag-ulat ng Bug",
"markAllAsRead": "Markahan ang Lahat bilang Nabasa",
"incomingError": "Error sa paghawak ng papasok na mensahe",
"media": "Media",
"mediaEmptyState": "Walang media",
"documents": "Mga dokumento",
"documentsEmptyState": "Walang mga dokumento",
"today": "Ngayong Araw",
"yesterday": "Kahapon",
"thisWeek": "Ngayong linggo",
"thisMonth": "Ngayong Buwan",
"voiceMessage": "Mensahe ng Boses",
"stagedPreviewThumbnail": "I-draft ang preview ng link ng thumbnail para sa $domain$",
"previewThumbnail": "Preeview ng link ng thumbnail para sa $domain$",
"stagedImageAttachment": "I-draft ang attachment ng imahe: $path$",
"oneNonImageAtATimeToast": "Paumanhin, may limitasyon ang isang hindi imaheng attachment bawat mensahe",
"cannotMixImageAndNonImageAttachments": "Paumanhin, hindi mo maaaring ihalo ang mga imahe sa iba pang mga uri ng file sa isang mensahe",
"maximumAttachments": "Naabot ang maximum na bilang ng mga attachment. Pakiipadala ang natitirang mga attachment sa isang hiwalay na mensahe.",
"fileSizeWarning": "Ang attachment ay lumampas sa mga limitasyon sa laki para sa uri ng mensahe na ipinapadala mo.",
"unableToLoadAttachment": "Paumanhin, nagkaroon ng error sa pagtatakda ng iyong attachment.",
"offline": "Offline",
"debugLog": "I-debug ang Log",
"showDebugLog": "I-export ang mga Log",
"shareBugDetails": "I-export ang iyong mga log, pagkatapos ay i-upload ang file sa Help Desk ng Session.",
"goToReleaseNotes": "Pumunta sa Mga Tala sa Paglabas",
"goToSupportPage": "Pumunta sa Pahina ng Suporta",
"about": "Tungkol sa",
"show": "Ipakita",
"sessionMessenger": "Session",
"noSearchResults": "Walang nakitang mga resulta para sa \"$searchTerm$\"",
"conversationsHeader": "Mga Contact at Grupo",
"contactsHeader": "Mga Contact",
"messagesHeader": "Conversations",
"settingsHeader": "Settings",
"typingAlt": "Pag-type ng animation para sa usapan na ito",
"contactAvatarAlt": "Avatar para sa contact na si $name$",
"downloadAttachment": "I-download ang Attachment",
"replyToMessage": "Sagutin ang mensahe",
"replyingToMessage": "Sinasagot si:",
"originalMessageNotFound": "Hindi nakita ang orihinal na mensahe",
"you": "Ikaw",
"audioPermissionNeededTitle": "Kinakailangan ang Access sa Microphone",
"audioPermissionNeeded": "Maaari mong i-enable ang access sa microphone sa ilalim ng: Settings (icon ng Gear) => Privacy",
"audio": "Audio",
"video": "Video",
"photo": "Larawan",
"cannotUpdate": "Hindi Ma-update",
"cannotUpdateDetail": "Nabigong i-update ang Session Desktop, ngunit may available na bagong bersyon. Mangyaring pumunta sa https://getsession.org/ at manwal na i-install ang bagong bersyon, pagkatapos ay makipag-ugnayan sa suporta o mag-file ng bug tungkol sa problemang ito.",
"ok": "OK",
"cancel": "Ikansela",
"close": "Isara",
"continue": "Continue",
"error": "Error",
"delete": "I-delete",
"messageDeletionForbidden": "You dont have permission to delete others messages",
"deleteJustForMe": "Delete just for me",
"deleteForEveryone": "Delete for everyone",
"deleteMessagesQuestion": "Delete $count$ messages?",
"deleteMessageQuestion": "Delete this message?",
"deleteMessages": "Delete Messages",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted",
"messageDeletedPlaceholder": "This message has been deleted",
"from": "From:",
"to": "To:",
"sent": "Sent",
"received": "Received",
"sendMessage": "Message",
"groupMembers": "Members",
"moreInformation": "More information",
"resend": "Resend",
"deleteConversationConfirmation": "Permanently delete the messages in this conversation?",
"clear": "Clear",
"clearAllData": "Clear All Data",
"deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Are you sure you want to delete this conversation?",
"quoteThumbnailAlt": "Thumbnail of image from quoted message",
"imageAttachmentAlt": "Image attached to message",
"videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Image sent in conversation",
"imageCaptionIconAlt": "Icon showing that this image has a caption",
"addACaption": "Add a caption...",
"copySessionID": "Copy Session ID",
"copyOpenGroupURL": "Copy Group URL",
"save": "I-save",
"saveLogToDesktop": "Save log to desktop",
"saved": "Saved",
"tookAScreenshot": "$name$ took a screenshot",
"savedTheFile": "Media saved by $name$",
"linkPreviewsTitle": "Send Link Previews",
"linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "You will not have full metadata protection when sending link previews.",
"mediaPermissionsTitle": "Microphone",
"mediaPermissionsDescription": "Allow access to microphone.",
"spellCheckTitle": "Spell Check",
"spellCheckDescription": "Enable spell check when typing messages.",
"spellCheckDirty": "You must restart Session to apply your new settings",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.",
"readReceiptSettingTitle": "Read Receipts",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.",
"typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes",
"primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow",
"primaryColorPink": "Primary color pink",
"primaryColorPurple": "Primary color purple",
"primaryColorOrange": "Primary color orange",
"primaryColorRed": "Primary color red",
"classicDarkThemeTitle": "Classic Dark",
"classicLightThemeTitle": "Classic Light",
"oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable",
"keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Name & Content",
"noNameOrMessage": "No name or content",
"nameOnly": "Name Only",
"newMessage": "New Message",
"createConversationNewContact": "Create a conversation with a new contact",
"createConversationNewGroup": "Create a group with existing contacts",
"joinACommunity": "Join a community",
"chooseAnAction": "Choose an action to start a conversation",
"newMessages": "New Messages",
"notificationMostRecentFrom": "Most recent from: $name$",
"notificationFrom": "From:",
"notificationMostRecent": "Most recent:",
"sendFailed": "Send Failed",
"mediaMessage": "Media message",
"messageBodyMissing": "Please enter a message body.",
"messageBody": "Message body",
"unblockToSend": "Unblock this contact to send a message.",
"unblockGroupToSend": "This group is blocked. Unlock it if you would like to send a message.",
"youChangedTheTimer": "You set the disappearing message timer to $time$",
"timerSetOnSync": "Updated disappearing message timer to $time$",
"theyChangedTheTimer": "$name$ set the disappearing message timer to $time$",
"timerOption_0_seconds": "Off",
"timerOption_5_seconds": "5 seconds",
"timerOption_10_seconds": "10 seconds",
"timerOption_30_seconds": "30 seconds",
"timerOption_1_minute": "1 minute",
"timerOption_5_minutes": "5 minutes",
"timerOption_30_minutes": "30 minutes",
"timerOption_1_hour": "1 hour",
"timerOption_6_hours": "6 hours",
"timerOption_12_hours": "12 hours",
"timerOption_1_day": "1 day",
"timerOption_1_week": "1 week",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Disappearing messages",
"changeNickname": "Change Nickname",
"clearNickname": "Clear Nickname",
"nicknamePlaceholder": "New Nickname",
"changeNicknameMessage": "Enter a nickname for this user",
"timerOption_0_seconds_abbreviated": "off",
"timerOption_5_seconds_abbreviated": "5s",
"timerOption_10_seconds_abbreviated": "10s",
"timerOption_30_seconds_abbreviated": "30s",
"timerOption_1_minute_abbreviated": "1m",
"timerOption_5_minutes_abbreviated": "5m",
"timerOption_30_minutes_abbreviated": "30m",
"timerOption_1_hour_abbreviated": "1h",
"timerOption_6_hours_abbreviated": "6h",
"timerOption_12_hours_abbreviated": "12h",
"timerOption_1_day_abbreviated": "1d",
"timerOption_1_week_abbreviated": "1w",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Disappearing messages disabled",
"disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages.",
"timerSetTo": "Disappearing message time set to $time$",
"noteToSelf": "Note to Self",
"hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start New Conversation",
"invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Auto Update",
"autoUpdateSettingDescription": "Automatically check for updates on startup.",
"autoUpdateNewVersionTitle": "Session update available",
"autoUpdateNewVersionMessage": "There is a new version of Session available.",
"autoUpdateNewVersionInstructions": "Press Restart Session to apply the updates.",
"autoUpdateRestartButtonLabel": "Restart Session",
"autoUpdateLaterButtonLabel": "Later",
"autoUpdateDownloadButtonLabel": "Download",
"autoUpdateDownloadedMessage": "Update has been downloaded.",
"autoUpdateDownloadInstructions": "Would you like to download the update?",
"leftTheGroup": "$name$ has left the group.",
"multipleLeftTheGroup": "$name$ left the group",
"updatedTheGroup": "Group updated",
"titleIsNow": "Group name is now '$name$'.",
"joinedTheGroup": "$name$ joined the group.",
"multipleJoinedTheGroup": "$name$ joined the group.",
"kickedFromTheGroup": "$name$ was removed from the group.",
"multipleKickedFromTheGroup": "$name$ were removed from the group.",
"block": "Block",
"unblock": "Unblock",
"unblocked": "Unblocked",
"blocked": "Blocked",
"blockedSettingsTitle": "Blocked Contacts",
"conversationsSettingsTitle": "Conversations",
"unbanUser": "Unban User",
"userUnbanned": "User unbanned successfully",
"userUnbanFailed": "Unban failed!",
"banUser": "Ban User",
"banUserAndDeleteAll": "Ban and Delete All",
"userBanned": "Banned successfully",
"userBanFailed": "Ban failed!",
"leaveGroup": "Leave Group",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone",
"leaveGroupConfirmation": "Are you sure you want to leave this group?",
"leaveGroupConfirmationAdmin": "As you are the admin of this group, if you leave it it will be removed for every current members. Are you sure you want to leave this group?",
"cannotRemoveCreatorFromGroup": "Cannot remove this user",
"cannotRemoveCreatorFromGroupDesc": "You cannot remove this user as they are the creator of the group.",
"noContactsForGroup": "You don't have any contacts yet",
"failedToAddAsModerator": "Failed to add user as admin",
"failedToRemoveFromModerator": "Failed to remove user from the admin list",
"copyMessage": "Copy message text",
"selectMessage": "Select message",
"editGroup": "Edit group",
"editGroupName": "Edit group name",
"updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password",
"confirmPassword": "Confirm password",
"enterNewPassword": "Please enter your new password",
"confirmNewPassword": "Confirm new password",
"showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password",
"password": "Password",
"setPassword": "Set Password",
"changePassword": "Change Password",
"createPassword": "Create your password",
"removePassword": "Remove Password",
"maxPasswordAttempts": "Invalid Password. Would you like to reset the database?",
"typeInOldPassword": "Please enter your current password",
"invalidOldPassword": "Old password is invalid",
"invalidPassword": "Invalid password",
"noGivenPassword": "Please enter your password",
"passwordsDoNotMatch": "Passwords do not match",
"setPasswordInvalid": "Passwords do not match",
"changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Password Set",
"changePasswordTitle": "Password Changed",
"removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community",
"connectingToServer": "Connecting...",
"connectToServerSuccess": "Successfully connected to community",
"setPasswordFail": "Failed to set password",
"passwordLengthError": "Password must be between 6 and 64 characters long",
"passwordTypeError": "Password must be a string",
"passwordCharacterError": "Password must only contain letters, numbers and symbols",
"remove": "Remove",
"invalidSessionId": "Invalid Session ID",
"invalidPubkeyFormat": "Invalid Pubkey Format",
"emptyGroupNameError": "Please enter a group name",
"editProfileModalTitle": "Profile",
"groupNamePlaceholder": "Group Name",
"inviteContacts": "Invite Contacts",
"addModerators": "Add Admins",
"removeModerators": "Remove Admins",
"addAsModerator": "Add as Admin",
"removeFromModerators": "Remove From Admins",
"add": "Add",
"addingContacts": "Adding contacts to $name$",
"noContactsToAdd": "No contacts to add",
"noMembersInThisGroup": "No other members in this group",
"noModeratorsToRemove": "no admins to remove",
"onlyAdminCanRemoveMembers": "You are not the creator",
"onlyAdminCanRemoveMembersDesc": "Only the creator of the group can remove users",
"createAccount": "Create account",
"startInTrayTitle": "Keep in System Tray",
"startInTrayDescription": "Keep Session running in the background when you close the window.",
"yourUniqueSessionID": "Say hello to your Session ID",
"allUsersAreRandomly...": "Your Session ID is the unique address people can use to contact you on Session. With no connection to your real identity, your Session ID is totally anonymous and private by design.",
"getStarted": "Get started",
"createSessionID": "Create Session ID",
"recoveryPhrase": "Recovery Phrase",
"enterRecoveryPhrase": "Enter your recovery phrase",
"displayName": "Display Name",
"anonymous": "Anonymous",
"removeResidueMembers": "Clicking ok will also remove those members as they left the group.",
"enterDisplayName": "Enter a display name",
"continueYourSession": "Continue Your Session",
"linkDevice": "Link Device",
"restoreUsingRecoveryPhrase": "Restore your account",
"or": "or",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>",
"beginYourSession": "Begin your Session.",
"welcomeToYourSession": "Welcome to your Session",
"searchFor...": "Search conversations and contacts",
"searchForContactsOnly": "Search for contacts",
"enterSessionID": "Enter Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS",
"message": "Message",
"appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Privacy",
"notificationsSettingsTitle": "Notifications",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please enter a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join",
"joinOpenGroup": "Join Community",
"createGroup": "Create Group",
"create": "Create",
"createClosedGroupNamePrompt": "Group Name",
"createClosedGroupPlaceholder": "Enter a group name",
"openGroupURL": "Community URL",
"enterAnOpenGroupURL": "Enter Community URL",
"next": "Susunod",
"invalidGroupNameTooShort": "Please enter a group name",
"invalidGroupNameTooLong": "Please enter a shorter group name",
"pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...",
"helpUsTranslateSession": "Translate Session",
"closedGroupInviteFailTitle": "Group Invitation Failed",
"closedGroupInviteFailTitlePlural": "Group Invitations Failed",
"closedGroupInviteFailMessage": "Unable to successfully invite a group member",
"closedGroupInviteFailMessagePlural": "Unable to successfully invite all group members",
"closedGroupInviteOkText": "Retry invitations",
"closedGroupInviteSuccessTitlePlural": "Group Invitations Completed",
"closedGroupInviteSuccessTitle": "Group Invitation Succeeded",
"closedGroupInviteSuccessMessage": "Successfully invited group members",
"notificationForConvo": "Notifications",
"notificationForConvo_all": "All",
"notificationForConvo_disabled": "Disabled",
"notificationForConvo_mentions_only": "Mentions only",
"onionPathIndicatorTitle": "Path",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:",
"unknownCountry": "Unknown Country",
"device": "Device",
"destination": "Destination",
"learnMore": "Learn more",
"linkVisitWarningTitle": "Open this link in your browser?",
"linkVisitWarningMessage": "Are you sure you want to open $url$ in your browser?",
"open": "Buksan",
"audioMessageAutoplayTitle": "Autoplay Audio Messages",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.",
"clickToTrustContact": "Click to download media",
"trustThisContactDialogTitle": "Trust $name$?",
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
"dialogClearAllDataDeletionFailedTitle": "Data not deleted",
"dialogClearAllDataDeletionFailedDesc": "Data not deleted with an unknown error. Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.",
"iAmSure": "I am sure",
"recoveryPhraseSecureTitle": "You're almost finished!",
"recoveryPhraseRevealMessage": "Secure your account by saving your recovery phrase. Reveal your recovery phrase then store it safely to secure it.",
"recoveryPhraseRevealButtonText": "Reveal Recovery Phrase",
"notificationSubtitle": "Notifications - $setting$",
"surveyTitle": "We'd Love Your Feedback",
"faq": "FAQ",
"support": "Support",
"clearAll": "Clear All",
"clearDataSettingsTitle": "Clear Data",
"messageRequests": "Message Requests",
"requestsSubtitle": "Pending Requests",
"requestsPlaceholder": "No requests",
"hideRequestBannerDescription": "Hide the Message Request banner until you receive a new message request.",
"incomingCallFrom": "Incoming call from '$name$'",
"ringing": "Ringing...",
"establishingConnection": "Establishing connection...",
"accept": "Tanggapin",
"decline": "Tanggihan",
"endCall": "End call",
"permissionsSettingsTitle": "Permissions",
"helpSettingsTitle": "Help",
"cameraPermissionNeededTitle": "Voice/Video Call permissions required",
"cameraPermissionNeeded": "You can enable the 'Voice and video calls' permission in the Privacy Settings.",
"unableToCall": "Cancel your ongoing call first",
"unableToCallTitle": "Cannot start new call",
"callMissed": "Missed call from $name$",
"callMissedTitle": "Call missed",
"noCameraFound": "No camera found",
"noAudioInputFound": "No audio input found",
"noAudioOutputFound": "No audio output found",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)",
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$",
"answeredACall": "Call with $name$",
"trimDatabase": "Trim Database",
"trimDatabaseDescription": "Reduces your message database size to your last 10,000 messages.",
"trimDatabaseConfirmationBody": "Are you sure you want to delete your $deleteAmount$ oldest received messages?",
"pleaseWaitOpenAndOptimizeDb": "Please wait while your database is opened and optimized...",
"messageRequestPending": "Your message request is currently pending",
"messageRequestAccepted": "Your message request has been accepted",
"messageRequestAcceptedOurs": "You have accepted $name$'s message request",
"messageRequestAcceptedOursNoName": "You have accepted the message request",
"declineRequestMessage": "Are you sure you want to decline this message request?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.",
"hideRequestBanner": "Hide Message Request Banner",
"openMessageRequestInbox": "Message Requests",
"noMessageRequestsPending": "No pending message requests",
"noMediaUntilApproved": "You cannot send attachments until the conversation is approved",
"mustBeApproved": "This conversation must be accepted to use this feature",
"youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other",
"otherPlural": "$number$ others",
"reactionPopup": "reacted with",
"reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message"
}

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$'e katıl?", "joinOpenGroupAfterInvitationConfirmationTitle": "$roomName$'e katıl?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "İlgili opengroup sunucusu bulunamadı", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Session Kimliğini veya ONS adını girin", "enterSessionIDOrONSName": "Session Kimliğini veya ONS adını girin",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Yükleniyor...", "loading": "Yükleniyor...",
@ -40,7 +40,7 @@
"youGotKickedFromGroup": "Gruptan atıldınız.", "youGotKickedFromGroup": "Gruptan atıldınız.",
"unreadMessages": "Okunmamış İletiler", "unreadMessages": "Okunmamış İletiler",
"debugLogExplanation": "Bu sistem günlüğü masaüstünüze kaydedilecektir.", "debugLogExplanation": "Bu sistem günlüğü masaüstünüze kaydedilecektir.",
"reportIssue": "Report a Bug", "reportIssue": "Bir Hata Bildir",
"markAllAsRead": "Tümünü Okundu Olarak İşaretle", "markAllAsRead": "Tümünü Okundu Olarak İşaretle",
"incomingError": "Gelen ileti işlenirken hata oluştu", "incomingError": "Gelen ileti işlenirken hata oluştu",
"media": "Medya", "media": "Medya",
@ -62,7 +62,7 @@
"unableToLoadAttachment": "Seçilen eklenti yüklenemedi.", "unableToLoadAttachment": "Seçilen eklenti yüklenemedi.",
"offline": "Çevrimdışı", "offline": "Çevrimdışı",
"debugLog": "Hata Ayıklama Günlüğü", "debugLog": "Hata Ayıklama Günlüğü",
"showDebugLog": "Export Logs", "showDebugLog": "Günlüğu Dışa Aktar",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.",
"goToReleaseNotes": "Sürüm Notlarına Git", "goToReleaseNotes": "Sürüm Notlarına Git",
"goToSupportPage": "Destek Sayfasına Git", "goToSupportPage": "Destek Sayfasına Git",
@ -72,7 +72,7 @@
"noSearchResults": "\"$searchTerm$\" için arama sonucu yok", "noSearchResults": "\"$searchTerm$\" için arama sonucu yok",
"conversationsHeader": "Arama sırasında çıkan Kişiler ve Gruplar bölümü başlığının sonuçları", "conversationsHeader": "Arama sırasında çıkan Kişiler ve Gruplar bölümü başlığının sonuçları",
"contactsHeader": "Kişiler", "contactsHeader": "Kişiler",
"messagesHeader": "İletiler", "messagesHeader": "Conversations",
"settingsHeader": "Ayarlar", "settingsHeader": "Ayarlar",
"typingAlt": "Bu sohbet için yazma animasyonu", "typingAlt": "Bu sohbet için yazma animasyonu",
"contactAvatarAlt": "$name$ kişisinin avatarı", "contactAvatarAlt": "$name$ kişisinin avatarı",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "$count$ mesajı sil?", "deleteMessagesQuestion": "$count$ mesajı sil?",
"deleteMessageQuestion": "Bu ileti silinsin mi?", "deleteMessageQuestion": "Bu ileti silinsin mi?",
"deleteMessages": "İletileri sil", "deleteMessages": "İletileri sil",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ silinmiş", "deleted": "$count$ silinmiş",
"messageDeletedPlaceholder": "Bu ileti silindi", "messageDeletedPlaceholder": "Bu ileti silindi",
"from": "Gönderen", "from": "Gönderen",
@ -107,29 +108,30 @@
"sent": "Gönderildi", "sent": "Gönderildi",
"received": "Alındı", "received": "Alındı",
"sendMessage": "İleti gönder", "sendMessage": "İleti gönder",
"groupMembers": "Grup üyeleri", "groupMembers": "Üyeler",
"moreInformation": "Daha fazla bilgi", "moreInformation": "Daha fazla bilgi",
"resend": "Tekrar gönder", "resend": "Tekrar gönder",
"deleteConversationConfirmation": "Bu sohbeti kalıcı olarak sil?", "deleteConversationConfirmation": "Bu sohbeti kalıcı olarak sil?",
"clear": "Clear", "clear": "Temizle",
"clearAllData": "Tüm Veriyi Temizle", "clearAllData": "Tüm Veriyi Temizle",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Bu işlem mesajlarınızı ve kişilerinizi kalıcı olarak siler.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Bu konuşmayı silmek istediğinizden emin misiniz?", "deleteContactConfirmation": "Bu konuşmayı silmek istediğinizden emin misiniz?",
"quoteThumbnailAlt": "Alıntılanmış iletideki görüntünün önizlemesi", "quoteThumbnailAlt": "Alıntılanmış iletideki görüntünün önizlemesi",
"imageAttachmentAlt": "İletiye görüntü eklenmiş", "imageAttachmentAlt": "İletiye görüntü eklenmiş",
"videoAttachmentAlt": "İletiye eklenen videonun ekran görüntüsü", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Konuşmada gönderilen görüntü", "lightboxImageAlt": "Konuşmada gönderilen görüntü",
"imageCaptionIconAlt": "Bu görüntünün başlığı olduğunu gösteren ikon", "imageCaptionIconAlt": "Bu görüntünün başlığı olduğunu gösteren ikon",
"addACaption": "Bir başlık ekleyin...", "addACaption": "Bir başlık ekleyin...",
"copySessionID": "Session Kimliğini Kopyala", "copySessionID": "Session Kimliğini Kopyala",
"copyOpenGroupURL": "Grubun URL'sini Kopyala", "copyOpenGroupURL": "Copy Group URL",
"save": "Kaydet", "save": "Kaydet",
"saveLogToDesktop": "Günlüğü masaüstüne kaydet", "saveLogToDesktop": "Günlüğü masaüstüne kaydet",
"saved": "Kaydedildi", "saved": "Kaydedildi",
"tookAScreenshot": "$name$ ekran görüntüsü aldı", "tookAScreenshot": "$name$ ekran görüntüsü aldı",
"savedTheFile": "Medya, $name$ tarafından kaydedildi", "savedTheFile": "Medya, $name$ tarafından kaydedildi",
"linkPreviewsTitle": "Bağlantı Önizlemelerini Gönder", "linkPreviewsTitle": "Bağlantı Önizlemelerini Gönder",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "Bağlantı önizlemeleri gönderirken tamamıyla metaveri korumasına sahip olmazsınız.", "linkPreviewsConfirmMessage": "Bağlantı önizlemeleri gönderirken tamamıyla metaveri korumasına sahip olmazsınız.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -141,8 +143,8 @@
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.",
"typingIndicatorsSettingTitle": "Yazıyor Göstergesi", "typingIndicatorsSettingTitle": "Yazıyor Göstergesi",
"zoomFactorSettingTitle": "Yakınlaştırma faktörü", "zoomFactorSettingTitle": "Yakınlaştırma faktörü",
"themesSettingTitle": "Themes", "themesSettingTitle": "Temalar",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Etkinleştir", "enable": "Etkinleştir",
"keepDisabled": "Devre dışı tut", "keepDisabled": "Devre dışı tut",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Gönderenin adını ve iletisini", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Ne gönderenin adını ne de iletisini", "noNameOrMessage": "Ne gönderenin adını ne de iletisini",
"nameOnly": "Sadece gönderenin adı", "nameOnly": "Sadece gönderenin adı",
"newMessage": "Yeni İleti", "newMessage": "Yeni İleti",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 saat", "timerOption_12_hours": "12 saat",
"timerOption_1_day": "1 gün", "timerOption_1_day": "1 gün",
"timerOption_1_week": "1 hafta", "timerOption_1_week": "1 hafta",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Kaybolan iletiler", "disappearingMessages": "Kaybolan iletiler",
"changeNickname": "Takma Adı Değiştir", "changeNickname": "Takma Adı Değiştir",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12s", "timerOption_12_hours_abbreviated": "12s",
"timerOption_1_day_abbreviated": "1g", "timerOption_1_day_abbreviated": "1g",
"timerOption_1_week_abbreviated": "1h", "timerOption_1_week_abbreviated": "1h",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Kaybolan iletiler devre dışı", "disappearingMessagesDisabled": "Kaybolan iletiler devre dışı",
"disabledDisappearingMessages": "$name$ kaybolan iletileri devre dışı bıraktı", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "Kaybolan iletileri devre dışı bıraktınız", "youDisabledDisappearingMessages": "Kaybolan iletileri devre dışı bıraktınız",
"timerSetTo": "Zamanlayıcı $time$ olarak ayarlandı", "timerSetTo": "Zamanlayıcı $time$ olarak ayarlandı",
"noteToSelf": "Kendime Not", "noteToSelf": "Kendime Not",
"hideMenuBarTitle": "Menü Çubuğunu Gizle", "hideMenuBarTitle": "Menü Çubuğunu Gizle",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Yeni sohbet başlat…", "startConversation": "Yeni sohbet başlat…",
"invalidNumberError": "Geçersiz numara", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "ONS adını çözümlemede başarısız oldu", "failedResolveOns": "ONS adını çözümlemede başarısız oldu",
"autoUpdateSettingTitle": "Otomatik Güncelleme", "autoUpdateSettingTitle": "Otomatik Güncelleme",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ gruba katıldı", "multipleJoinedTheGroup": "$names$ gruba katıldı",
"kickedFromTheGroup": "$name$, gruptan kaldırıldı.", "kickedFromTheGroup": "$name$, gruptan kaldırıldı.",
"multipleKickedFromTheGroup": "$name$, gruptan çıkarıldı.", "multipleKickedFromTheGroup": "$name$, gruptan çıkarıldı.",
"blockUser": "Engelle", "block": "Block",
"unblockUser": "Engeli Kaldır", "unblock": "Unblock",
"unblocked": "Engel kaldırıldı", "unblocked": "Engel kaldırıldı",
"blocked": "Engellendi", "blocked": "Engellendi",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "$name$ güncelleniyor...", "updateGroupDialogTitle": "$name$ güncelleniyor...",
"showRecoveryPhrase": "Kurtarma Sözcük Grubu", "showRecoveryPhrase": "Kurtarma Sözcük Grubu",
"yourSessionID": "Session Kimliğiniz", "yourSessionID": "Session Kimliğiniz",
"setAccountPasswordTitle": "Hesap Şifresini Belirleyin", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Hesap Şifresini Değiştir", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Hesap Şifresini Kaldır", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Lütfen şifrenizi girin", "enterPassword": "Lütfen şifrenizi girin",
"confirmPassword": "Şifreyi Doğrula", "confirmPassword": "Şifreyi Doğrula",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Lütfen şifrenizi girin", "showRecoveryPhrasePasswordRequest": "Lütfen şifrenizi girin",
"recoveryPhraseSavePromptMain": "Kurtarma ifadeniz Session ID'nizin asıl anahtarıdır; cihazınıza erişiminizi kaybederseniz Session ID'nizi geri yüklemek için bunu kullanabilirsiniz. Kurtarma ifadenizi güvenli bir yerde saklayın ve kimseye vermeyin.", "recoveryPhraseSavePromptMain": "Kurtarma ifadeniz Session ID'nizin asıl anahtarıdır; cihazınıza erişiminizi kaybederseniz Session ID'nizi geri yüklemek için bunu kullanabilirsiniz. Kurtarma ifadenizi güvenli bir yerde saklayın ve kimseye vermeyin.",
"invalidOpenGroupUrl": "Geçersiz URL", "invalidOpenGroupUrl": "Geçersiz URL",
"copiedToClipboard": "Panoya kopyalandı", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Şifre", "password": "Şifre",
"setPassword": "Şifre Belirle", "setPassword": "Şifre Belirle",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Şifreler uyuşmuyor", "setPasswordInvalid": "Şifreler uyuşmuyor",
"changePasswordInvalid": "Girmiş olduğunuz eski parola yanlış", "changePasswordInvalid": "Girmiş olduğunuz eski parola yanlış",
"removePasswordInvalid": "Yanlış şifre", "removePasswordInvalid": "Yanlış şifre",
"setPasswordTitle": "Şifre Belirle", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Şifre Değiştirildi", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Şifre Kaldırıldı", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Şifreniz ayarlandı. Lütfen güvende tutunuz.", "setPasswordToastDescription": "Şifreniz ayarlandı. Lütfen güvende tutunuz.",
"changePasswordToastDescription": "Şifreniz değiştirildi. Lütfen güvende tutunuz.", "changePasswordToastDescription": "Şifreniz değiştirildi. Lütfen güvende tutunuz.",
"removePasswordToastDescription": "Şifrenizi sildiniz.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Bağlanılıyor...", "connectingToServer": "Bağlanılıyor...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Görünüm", "appearanceSettingsTitle": "Görünüm",
"privacySettingsTitle": "Gizlilik", "privacySettingsTitle": "Gizlilik",
"notificationsSettingsTitle": "Bildirimler", "notificationsSettingsTitle": "Bildirimler",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Kurtarma metninizi girin", "recoveryPhraseEmpty": "Kurtarma metninizi girin",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ üye", "members": "$count$ üye",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Lütfen daha kısa bir grup ismi giriniz", "invalidGroupNameTooLong": "Lütfen daha kısa bir grup ismi giriniz",
"pickClosedGroupMember": "Lütfen en az 1 grup üyesi seçin", "pickClosedGroupMember": "Lütfen en az 1 grup üyesi seçin",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Engellenmiş kişi yok", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Ya da bunlardan birine katılın...", "orJoinOneOfThese": "Ya da bunlardan birine katılın...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "$name$ tarafından gönderilen medyayı indirmek istediğine emin misin?", "trustThisContactDialogDescription": "$name$ tarafından gönderilen medyayı indirmek istediğine emin misin?",
"pinConversation": "Konuşmayı sabitle", "pinConversation": "Konuşmayı sabitle",
"unpinConversation": "Konuşmanın Sabitlemesini Kaldır", "unpinConversation": "Konuşmanın Sabitlemesini Kaldır",
"markUnread": "Mark Unread",
"showUserDetails": "Kullanıcı Detaylarını Göster", "showUserDetails": "Kullanıcı Detaylarını Göster",
"sendRecoveryPhraseTitle": "Kurtarma Sözcük Grubunu Gönder", "sendRecoveryPhraseTitle": "Kurtarma Sözcük Grubunu Gönder",
"sendRecoveryPhraseMessage": "Hesabınıza erişmek için kullanılabilecek kurtarma ifadenizi göndermeye çalışıyorsunuz. Bu mesajı göndermek istediğinizden emin misiniz?", "sendRecoveryPhraseMessage": "Hesabınıza erişmek için kullanılabilecek kurtarma ifadenizi göndermeye çalışıyorsunuz. Bu mesajı göndermek istediğinizden emin misiniz?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Sadece cihazdan silmek ister misiniz?", "dialogClearAllDataDeletionFailedTitleQuestion": "Sadece cihazdan silmek ister misiniz?",
"dialogClearAllDataDeletionFailedMultiple": "Bu Hizmet Düğümleri tarafından silinmeyen veriler: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Bu Hizmet Düğümleri tarafından silinmeyen veriler: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Sadece cihaz verisini silmek istediğinizden emin misiniz?", "areYouSureDeleteDeviceOnly": "Sadece cihaz verisini silmek istediğinizden emin misiniz?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "'$name$' tarafından cevaplanmayan çağrınız var çünkü Gizlilik Ayarlarında 'Sesli ve görüntülü aramalar' iznini etkinleştirmeniz gerekiyor.", "callMissedCausePermission": "'$name$' tarafından cevaplanmayan çağrınız var çünkü Gizlilik Ayarlarında 'Sesli ve görüntülü aramalar' iznini etkinleştirmeniz gerekiyor.",
"callMissedNotApproved": "Bu konuşmayı henüz onaylamadığınız için '$name$' adlı kişiden gelen arama cevapsız. Önce onlara mesaj at.", "callMissedNotApproved": "Bu konuşmayı henüz onaylamadığınız için '$name$' adlı kişiden gelen arama cevapsız. Önce onlara mesaj at.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "$name$ kullanıcısını aradınız", "startedACall": "$name$ kullanıcısını aradınız",
"answeredACall": "$name$ ile ara", "answeredACall": "$name$ ile ara",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "Yeni bir arkadaşlık isteğin var", "youHaveANewFriendRequest": "Yeni bir arkadaşlık isteğin var",
"clearAllConfirmationTitle": "Tüm Mesaj İsteklerini temizle", "clearAllConfirmationTitle": "Tüm Mesaj İsteklerini temizle",
"clearAllConfirmationBody": "Tüm mesaj isteklerinizi silmek istediğinizden emin misiniz?", "clearAllConfirmationBody": "Tüm mesaj isteklerinizi silmek istediğinizden emin misiniz?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Gizle", "hideBanner": "Gizle",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Mesaj İstek kutunu görüntüle", "openMessageRequestInboxDescription": "Mesaj İstek kutunu görüntüle",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -31,7 +31,7 @@
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Community invitation",
"joinOpenGroupAfterInvitationConfirmationTitle": "Приєднатися до $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Приєднатися до $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?",
"couldntFindServerMatching": "Не вдалося знайти відповідний сервер opengroup", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Введіть ID сесії або ONS", "enterSessionIDOrONSName": "Введіть ID сесії або ONS",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.",
"loading": "Оновлення…", "loading": "Оновлення…",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Контакти та Групи", "conversationsHeader": "Контакти та Групи",
"contactsHeader": "Контакти", "contactsHeader": "Контакти",
"messagesHeader": "Повідомлення", "messagesHeader": "Conversations",
"settingsHeader": "Параметри", "settingsHeader": "Параметри",
"typingAlt": "Анімація вводу для цієї розмови", "typingAlt": "Анімація вводу для цієї розмови",
"contactAvatarAlt": "Аватар для контакту $name$", "contactAvatarAlt": "Аватар для контакту $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Видалити ${ count } повідомлень?", "deleteMessagesQuestion": "Видалити ${ count } повідомлень?",
"deleteMessageQuestion": "Видалити це повідомлення?", "deleteMessageQuestion": "Видалити це повідомлення?",
"deleteMessages": "Видалити повідомлення", "deleteMessages": "Видалити повідомлення",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ вилучено", "deleted": "$count$ вилучено",
"messageDeletedPlaceholder": "Повідомлення видалено", "messageDeletedPlaceholder": "Повідомлення видалено",
"from": "Від", "from": "Від",
@ -107,29 +108,30 @@
"sent": "Надіслано", "sent": "Надіслано",
"received": "Отримано", "received": "Отримано",
"sendMessage": "Надіслати повідомлення", "sendMessage": "Надіслати повідомлення",
"groupMembers": "Члени групи", "groupMembers": "Members",
"moreInformation": "Дізнатися більше", "moreInformation": "Дізнатися більше",
"resend": "Надіслати повторно", "resend": "Надіслати повторно",
"deleteConversationConfirmation": "Видалити цю розмову без можливості відновлення?", "deleteConversationConfirmation": "Видалити цю розмову без можливості відновлення?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Очистити всі дані", "clearAllData": "Очистити всі дані",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Ви дійсно хочете видалити цю бесіду?", "deleteContactConfirmation": "Ви дійсно хочете видалити цю бесіду?",
"quoteThumbnailAlt": "Мініатюра зображення цитованого повідомлення", "quoteThumbnailAlt": "Мініатюра зображення цитованого повідомлення",
"imageAttachmentAlt": "Зображення, прикріплене до повідомлення", "imageAttachmentAlt": "Зображення, прикріплене до повідомлення",
"videoAttachmentAlt": "Скріншот з відео, прикріпленого до повідомлення", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Зображення відправлено в бесіді", "lightboxImageAlt": "Зображення відправлено в бесіді",
"imageCaptionIconAlt": "Іконка, яка вказує на те, що це зображення має текстовий підпис", "imageCaptionIconAlt": "Іконка, яка вказує на те, що це зображення має текстовий підпис",
"addACaption": "Додайте підпис...", "addACaption": "Додайте підпис...",
"copySessionID": "Скопіювати ідентифікатор Session", "copySessionID": "Скопіювати ідентифікатор Session",
"copyOpenGroupURL": "Скопіювати URL групи", "copyOpenGroupURL": "Copy Group URL",
"save": "Зберегти", "save": "Зберегти",
"saveLogToDesktop": "Зберегти журнал на робочий стіл", "saveLogToDesktop": "Зберегти журнал на робочий стіл",
"saved": "Збережено", "saved": "Збережено",
"tookAScreenshot": "$name$ зробив знімок екрану", "tookAScreenshot": "$name$ зробив знімок екрану",
"savedTheFile": "$name$ зберіг медіафайл", "savedTheFile": "$name$ зберіг медіафайл",
"linkPreviewsTitle": "Надсилати попередній перегляд посилань", "linkPreviewsTitle": "Надсилати попередній перегляд посилань",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "У вас не буде повного захисту метаданих при надсиланні попереднього перегляду посилань.", "linkPreviewsConfirmMessage": "У вас не буде повного захисту метаданих при надсиланні попереднього перегляду посилань.",
"mediaPermissionsTitle": "Мікрофон", "mediaPermissionsTitle": "Мікрофон",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Індикатор набору тексту", "typingIndicatorsSettingTitle": "Індикатор набору тексту",
"zoomFactorSettingTitle": "Коефіцієнт масштабування", "zoomFactorSettingTitle": "Коефіцієнт масштабування",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Увімкнути", "enable": "Увімкнути",
"keepDisabled": "Лишити вимкненим", "keepDisabled": "Лишити вимкненим",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Ім'я відправника і повідомлення", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Нічого", "noNameOrMessage": "Нічого",
"nameOnly": "Тільки ім'я відправника", "nameOnly": "Тільки ім'я відправника",
"newMessage": "Нове Повідомлення", "newMessage": "Нове Повідомлення",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 годин", "timerOption_12_hours": "12 годин",
"timerOption_1_day": "1 день", "timerOption_1_day": "1 день",
"timerOption_1_week": "1 тиждень", "timerOption_1_week": "1 тиждень",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Зникаючі повідомлення ", "disappearingMessages": "Зникаючі повідомлення ",
"changeNickname": "Змінити нікнейм", "changeNickname": "Змінити нікнейм",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12г", "timerOption_12_hours_abbreviated": "12г",
"timerOption_1_day_abbreviated": "1д", "timerOption_1_day_abbreviated": "1д",
"timerOption_1_week_abbreviated": "1т", "timerOption_1_week_abbreviated": "1т",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Зникаючі повідомлення заборонені", "disappearingMessagesDisabled": "Зникаючі повідомлення заборонені",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "Таймер встановленно на $time$", "timerSetTo": "Таймер встановленно на $time$",
"noteToSelf": "Замітка для себе", "noteToSelf": "Замітка для себе",
"hideMenuBarTitle": "Сховати панель меню", "hideMenuBarTitle": "Сховати панель меню",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Почати нову розмову…", "startConversation": "Почати нову розмову…",
"invalidNumberError": "Невірний номер", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Не вдалося отримати назву ONS", "failedResolveOns": "Не вдалося отримати назву ONS",
"autoUpdateSettingTitle": "Автоматичне оновлення", "autoUpdateSettingTitle": "Автоматичне оновлення",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$names$ приєдналися до групи", "multipleJoinedTheGroup": "$names$ приєдналися до групи",
"kickedFromTheGroup": "$name$ було вилучено із групи.", "kickedFromTheGroup": "$name$ було вилучено із групи.",
"multipleKickedFromTheGroup": "$name$ були вилучені із групи.", "multipleKickedFromTheGroup": "$name$ були вилучені із групи.",
"blockUser": "Заблокувати", "block": "Block",
"unblockUser": "Розблокувати", "unblock": "Unblock",
"unblocked": "Розблоковано", "unblocked": "Розблоковано",
"blocked": "Заблоковано", "blocked": "Заблоковано",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Оновлення $name$...", "updateGroupDialogTitle": "Оновлення $name$...",
"showRecoveryPhrase": "Фраза відновлення", "showRecoveryPhrase": "Фраза відновлення",
"yourSessionID": "Ваша Session ID адресса", "yourSessionID": "Ваша Session ID адресса",
"setAccountPasswordTitle": "Встановити пароль облікового запису", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Змінити пароль до профілю", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Видалити пароль акаунта", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Будь ласка, введіть ваш пароль", "enterPassword": "Будь ласка, введіть ваш пароль",
"confirmPassword": "Підтвердіть пароль", "confirmPassword": "Підтвердіть пароль",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Будь ласка, введіть ваш пароль", "showRecoveryPhrasePasswordRequest": "Будь ласка, введіть ваш пароль",
"recoveryPhraseSavePromptMain": "Ваша фраза відновлення - це головний ключ до вашогї Session ID адреси - ви можете використовувати її для відновлення вашої Session ID адреси якщо ви втратите доступ до пристрою. Запишіть на папері та зберігайте вашу фразу відновлення у безпечному місці і не дайте її нікому.", "recoveryPhraseSavePromptMain": "Ваша фраза відновлення - це головний ключ до вашогї Session ID адреси - ви можете використовувати її для відновлення вашої Session ID адреси якщо ви втратите доступ до пристрою. Запишіть на папері та зберігайте вашу фразу відновлення у безпечному місці і не дайте її нікому.",
"invalidOpenGroupUrl": "Недійсне URL посилання", "invalidOpenGroupUrl": "Недійсне URL посилання",
"copiedToClipboard": "Скопійовано до буфера обміну", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Пароль", "password": "Пароль",
"setPassword": "Встановити пароль", "setPassword": "Встановити пароль",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Паролі не співпадають", "setPasswordInvalid": "Паролі не співпадають",
"changePasswordInvalid": "Старий пароль введений невірно", "changePasswordInvalid": "Старий пароль введений невірно",
"removePasswordInvalid": "Неправильний пароль", "removePasswordInvalid": "Неправильний пароль",
"setPasswordTitle": "Встановити пароль", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Змінений пароль", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Видалений пароль", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Ваш пароль встановлено. Будь ласка, збережіть його в безпеці.", "setPasswordToastDescription": "Ваш пароль встановлено. Будь ласка, збережіть його в безпеці.",
"changePasswordToastDescription": "Ваш пароль змінено. Будь ласка, збережіть його в безпеці.", "changePasswordToastDescription": "Ваш пароль змінено. Будь ласка, збережіть його в безпеці.",
"removePasswordToastDescription": "Ви видалили свій пароль.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Підключення...", "connectingToServer": "Підключення...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Зовнішній вигляд", "appearanceSettingsTitle": "Зовнішній вигляд",
"privacySettingsTitle": "Конфіденційність", "privacySettingsTitle": "Конфіденційність",
"notificationsSettingsTitle": "Сповіщення", "notificationsSettingsTitle": "Сповіщення",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Введіть вашу фразу відновлення", "recoveryPhraseEmpty": "Введіть вашу фразу відновлення",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ учасників", "members": "$count$ учасників",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Будь ласка, введіть коротше ім'я групи", "invalidGroupNameTooLong": "Будь ласка, введіть коротше ім'я групи",
"pickClosedGroupMember": "Будь ласка виберіть принаймні 1 учасника групи", "pickClosedGroupMember": "Будь ласка виберіть принаймні 1 учасника групи",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "Немає заблокованих контактів", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Або приєднуйтесь до одного з цих...", "orJoinOneOfThese": "Або приєднуйтесь до одного з цих...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Ви впевнені що хочете завантажити медіафайл відправлений $name$?", "trustThisContactDialogDescription": "Ви впевнені що хочете завантажити медіафайл відправлений $name$?",
"pinConversation": "Закріпити розмову", "pinConversation": "Закріпити розмову",
"unpinConversation": "Відкріпити розмову", "unpinConversation": "Відкріпити розмову",
"markUnread": "Mark Unread",
"showUserDetails": "Показати деталі користувача", "showUserDetails": "Показати деталі користувача",
"sendRecoveryPhraseTitle": "Надсилання фрази відновлення", "sendRecoveryPhraseTitle": "Надсилання фрази відновлення",
"sendRecoveryPhraseMessage": "Ви намагаєтеся надіслати фразу відновлення, яку можна використати для доступу до вашого облікового запису. Ви впевнені, що хочете надіслати це повідомлення?", "sendRecoveryPhraseMessage": "Ви намагаєтеся надіслати фразу відновлення, яку можна використати для доступу до вашого облікового запису. Ви впевнені, що хочете надіслати це повідомлення?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Видалити дані лише з цього пристрою?", "dialogClearAllDataDeletionFailedTitleQuestion": "Видалити дані лише з цього пристрою?",
"dialogClearAllDataDeletionFailedMultiple": "Дані не видалено цими сервісними вузлами: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Дані не видалено цими сервісними вузлами: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Ви впевнені, що хочете видалити лише дані свого пристрою?", "areYouSureDeleteDeviceOnly": "Ви впевнені, що хочете видалити лише дані свого пристрою?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Пропущений виклик від $name$, тому що вам потрібно ввімкнути дозвіл на голосові та відеодзвінки в параметрах конфіденційності.", "callMissedCausePermission": "Пропущений виклик від $name$, тому що вам потрібно ввімкнути дозвіл на голосові та відеодзвінки в параметрах конфіденційності.",
"callMissedNotApproved": "Пропущений виклик від $name$ оскільки ви ще не схвалили цю розмову. Спочатку надішліть їм повідомлення.", "callMissedNotApproved": "Пропущений виклик від $name$ оскільки ви ще не схвалили цю розмову. Спочатку надішліть їм повідомлення.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Ви дзвонили $name$", "startedACall": "Ви дзвонили $name$",
"answeredACall": "Дзвінок з $name$", "answeredACall": "Дзвінок з $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "У вас є новий запит у друзі", "youHaveANewFriendRequest": "У вас є новий запит у друзі",
"clearAllConfirmationTitle": "Очистити всі запити", "clearAllConfirmationTitle": "Очистити всі запити",
"clearAllConfirmationBody": "Ви впевнені, що бажаєте очистити всі запити на повідомлення?", "clearAllConfirmationBody": "Ви впевнені, що бажаєте очистити всі запити на повідомлення?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Приховати", "hideBanner": "Приховати",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "Перегляд папки вхідних повідомлень", "openMessageRequestInboxDescription": "Перегляд папки вхідних повідомлень",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "To'liq ekran", "viewMenuToggleFullScreen": "To'liq ekran",
"viewMenuToggleDevTools": "Dasturchiga", "viewMenuToggleDevTools": "Dasturchiga",
"contextMenuNoSuggestions": "Afsus", "contextMenuNoSuggestions": "Afsus",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Jamoa taklifnomasi",
"joinOpenGroupAfterInvitationConfirmationTitle": "Qo'shilaman $xonaNomi$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Qo'shilaman $xonaNomi$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Haqiqattan shu $roomName$ guruhga qo'shilmoqchimisiz?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Session ID raqamini yoki ONS ismingi tashla", "enterSessionIDOrONSName": "Session ID raqamini yoki ONS ismingi tashla",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Boshqa kishining Session IDsini kiritish orqali yangi suhbatni boshlang yoki ular bilan Session IDyingizni ulashing.",
"loading": "Yuklanmoqda...", "loading": "Yuklanmoqda...",
"done": "Bo'ldi", "done": "Bo'ldi",
"youLeftTheGroup": "Siz guruhni tark etdingiz.", "youLeftTheGroup": "Siz guruhni tark etdingiz.",
"youGotKickedFromGroup": "Sizni guruhdan chiqarib yuborishdi.", "youGotKickedFromGroup": "Sizni guruhdan chiqarib yuborishdi.",
"unreadMessages": "Oʻqilmagan xabarlar", "unreadMessages": "Oʻqilmagan xabarlar",
"debugLogExplanation": "Bu narsani o'zimga saqlab qo'ymoqchiman.", "debugLogExplanation": "Bu narsani o'zimga saqlab qo'ymoqchiman.",
"reportIssue": "Report a Bug", "reportIssue": "Xato haqida habar bering",
"markAllAsRead": "Hammasini o'qilgan qil", "markAllAsRead": "Hammasini o'qilgan qil",
"incomingError": "Kelgan maktubni tahrir qilishda hatolik yuz berdi", "incomingError": "Kelgan maktubni tahrir qilishda hatolik yuz berdi",
"media": "Media", "media": "Media",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "Uzur, o'rnatish vaqtida xatolik yuz berdi.", "unableToLoadAttachment": "Uzur, o'rnatish vaqtida xatolik yuz berdi.",
"offline": "Oflayn", "offline": "Oflayn",
"debugLog": "Keyinga qoldirilgan", "debugLog": "Keyinga qoldirilgan",
"showDebugLog": "Export Logs", "showDebugLog": "Jurnallarni eksport qilish",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Jurnallaringizni eksport qiling, so'ngra Session yordam stoli orqali faylni yuklang.",
"goToReleaseNotes": "Qaydlarni och", "goToReleaseNotes": "Qaydlarni och",
"goToSupportPage": "Yordamchilar sahifasini och", "goToSupportPage": "Yordamchilar sahifasini och",
"about": "Haqida", "about": "Haqida",
@ -72,7 +72,7 @@
"noSearchResults": "\"$searchTerm$\" boʻyicha hech narsa topilmadi", "noSearchResults": "\"$searchTerm$\" boʻyicha hech narsa topilmadi",
"conversationsHeader": "Kontaktlar va guruhlar", "conversationsHeader": "Kontaktlar va guruhlar",
"contactsHeader": "Kontaktlar", "contactsHeader": "Kontaktlar",
"messagesHeader": "Maktub", "messagesHeader": "Conversations",
"settingsHeader": "Tamir", "settingsHeader": "Tamir",
"typingAlt": "Yozib turganligini bildiruvchi uch nuqta", "typingAlt": "Yozib turganligini bildiruvchi uch nuqta",
"contactAvatarAlt": "Kishi rasmi $name$", "contactAvatarAlt": "Kishi rasmi $name$",
@ -100,99 +100,102 @@
"deleteMessagesQuestion": "$count$ ta xabar oʻchirilsinmi?", "deleteMessagesQuestion": "$count$ ta xabar oʻchirilsinmi?",
"deleteMessageQuestion": "Ushbu xabar ochirilsinmi?", "deleteMessageQuestion": "Ushbu xabar ochirilsinmi?",
"deleteMessages": "Xabarlarni oʻchirish", "deleteMessages": "Xabarlarni oʻchirish",
"deleted": "$count$ deleted", "deleteConversation": "Delete Conversation",
"deleted": "$count$ o'chirildi",
"messageDeletedPlaceholder": "Bu xabar oʻchirilgan", "messageDeletedPlaceholder": "Bu xabar oʻchirilgan",
"from": "Kimdan:", "from": "Kimdan:",
"to": "Kimga:", "to": "Kimga:",
"sent": "Joʻnatilgan", "sent": "Joʻnatilgan",
"received": "Qabul qilingan", "received": "Qabul qilingan",
"sendMessage": "Xabar", "sendMessage": "Xabar",
"groupMembers": "Guruh aʼzolari", "groupMembers": "A'zolar",
"moreInformation": "Koʻproq maʼlumot", "moreInformation": "Koʻproq maʼlumot",
"resend": "Qayta joʻnatish", "resend": "Qayta joʻnatish",
"deleteConversationConfirmation": "Bu suhbatni tag-tomiri bilan o'chiremi?", "deleteConversationConfirmation": "Bu suhbatni tag-tomiri bilan o'chiremi?",
"clear": "Clear", "clear": "Tozalamoq",
"clearAllData": "Barcha hujjatlarni o'chir", "clearAllData": "Barcha hujjatlarni o'chir",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "Bu sizning xabarlaringiz va kontaktlaringizni butunlay o'chirib tashlaydi.",
"deleteAccountFromLogin": "Haqiqatan ham qurilmangizni tozalamoqchimisiz?",
"deleteContactConfirmation": "O'chirvorelikmi buni?", "deleteContactConfirmation": "O'chirvorelikmi buni?",
"quoteThumbnailAlt": "Tanishizi rasmchasi", "quoteThumbnailAlt": "Tanishizi rasmchasi",
"imageAttachmentAlt": "Suratga maktubni qistirish", "imageAttachmentAlt": "Suratga maktubni qistirish",
"videoAttachmentAlt": "Video tagiga maktubni qo'yish", "videoAttachmentAlt": "Xabardagi videoning skrinshoti",
"lightboxImageAlt": "Surat suhabt ichida ketdi", "lightboxImageAlt": "Surat suhabt ichida ketdi",
"imageCaptionIconAlt": "Suratda bir kishini qo'li borligi", "imageCaptionIconAlt": "Suratda bir kishini qo'li borligi",
"addACaption": "Qo'l qo'yish...", "addACaption": "Qo'l qo'yish...",
"copySessionID": "Session ID ni nusxalash", "copySessionID": "Session ID ni nusxalash",
"copyOpenGroupURL": "Jamoa URL nusxalash", "copyOpenGroupURL": "Guruh URL manzilini nusxalash",
"save": "Saqlash", "save": "Saqlash",
"saveLogToDesktop": "O'zimga saqlab olmoqchiman", "saveLogToDesktop": "O'zimga saqlab olmoqchiman",
"saved": "Saqlandi", "saved": "Saqlandi",
"tookAScreenshot": "$name$ skrinshot qildi", "tookAScreenshot": "$name$ skrinshot qildi",
"savedTheFile": "Media shu $name$ bilan saqlandi", "savedTheFile": "Media shu $name$ bilan saqlandi",
"linkPreviewsTitle": "Linkni yuborilgandagi ko'rinishi", "linkPreviewsTitle": "Linkni yuborilgandagi ko'rinishi",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Qo'llab-quvvatlanadigan URL manzillar uchun havolalarni oldindan ko'rishni yarating.",
"linkPreviewsConfirmMessage": "Biz sizni to'liq himoya qila olmasligimiz mumkin agar linkni ko'rsatedigon qilib qo'ysez.", "linkPreviewsConfirmMessage": "Biz sizni to'liq himoya qila olmasligimiz mumkin agar linkni ko'rsatedigon qilib qo'ysez.",
"mediaPermissionsTitle": "Mikrofon", "mediaPermissionsTitle": "Mikrofon",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Mikrofonga kirishga ruxsat bering.",
"spellCheckTitle": "Spell Check", "spellCheckTitle": "Imlo tekshiruvi",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "Xabarlarni yozayotganda imlo tekshiruvini yoqish.",
"spellCheckDirty": "You must restart Session to apply your new settings", "spellCheckDirty": "Yangi sozlamalarni qo'llash uchun Session qayta ishga tushirishingiz shart",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "O'qilganligi to'g'risidagi xabarlarni birma-bir chatlarda yuboring.",
"readReceiptSettingTitle": "Read Receipts", "readReceiptSettingTitle": "Cheklarni o'qish",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "Birma-bir chatlarda yozish ko'rsatkichlarini ko'ring va ulashing.",
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Yozish ko'rsatkichlari",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Kattalashtirish darajasi",
"themesSettingTitle": "Themes", "themesSettingTitle": "Mavzular",
"primaryColor": "Primary Color", "primaryColor": "Asosiy rang",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Asosiy rang yashil",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Asosiy rang ko'k",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Asosiy rang sariq",
"primaryColorPink": "Primary color pink", "primaryColorPink": "Asosiy rang pushti",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "Asosiy rang siyohrang",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "Asosiy rang apelsinrang",
"primaryColorRed": "Primary color red", "primaryColorRed": "Asosiy rang qizil",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "Klassik qorong'u",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "Klassik yorug'lik",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Okean qorong'i",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Okean nuri",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Jamiyatlarni qisqartiring",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "2000 dan ortiq xabarlari boʻlgan jamiyatlardan 6 oydan eski xabarlarni oʻchirib tashlang.",
"enable": "Enable", "enable": "Yoqish",
"keepDisabled": "Keep disabled", "keepDisabled": "O'chiriq qo'yish",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "Ma'lumotlar bildirishnomalarda ko'rsatilgan.",
"nameAndMessage": "Name and content", "nameAndMessage": "Ism & Mazmun",
"noNameOrMessage": "No name or content", "noNameOrMessage": "Nomi yoki mazmuni yo'q",
"nameOnly": "Name Only", "nameOnly": "Faqat ism",
"newMessage": "New Message", "newMessage": "Yangi xabar",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "Yangi kontakt bilan suhbat yarating",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "Mavjud kontaktlar bilan guruh yarating",
"joinACommunity": "Join a community", "joinACommunity": "Hamjamiyatga qo'shiling",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "Suhbatni boshlash uchun harakatni tanlang",
"newMessages": "New Messages", "newMessages": "Yangi xabarlar",
"notificationMostRecentFrom": "Most recent from: $name$", "notificationMostRecentFrom": "Eng oxirgi: $name$dan",
"notificationFrom": "From:", "notificationFrom": "Dan:",
"notificationMostRecent": "Most recent:", "notificationMostRecent": "Eng so'nggi:",
"sendFailed": "Send Failed", "sendFailed": "Yuborish amalga oshmadi",
"mediaMessage": "Media message", "mediaMessage": "Media xabar",
"messageBodyMissing": "Please enter a message body.", "messageBodyMissing": "Iltimos, xabar matnini kiriting.",
"messageBody": "Message body", "messageBody": "Xabar matni",
"unblockToSend": "Unblock this contact to send a message.", "unblockToSend": "Xabar yuborish uchun ushbu kontaktni blokdan chiqaring.",
"unblockGroupToSend": "This group is blocked. Unlock it if you would like to send a message.", "unblockGroupToSend": "Bu guruh bloklangan. Agar siz xabar yubormoqchi bo'lsangiz, uni blokdan chiqaring.",
"youChangedTheTimer": "You set the disappearing message timer to $time$", "youChangedTheTimer": "Siz yo'qolgan xabar taymerini $time$ ga o'rnatdingiz",
"timerSetOnSync": "Updated disappearing message timer to $time$", "timerSetOnSync": "Yoʻqolgan xabar taymer $time$ qilib yangilandi",
"theyChangedTheTimer": "$name$ set the disappearing message timer to $time$", "theyChangedTheTimer": "$name$ yoʻqolgan xabar taymerini $time$ ga oʻrnatdi",
"timerOption_0_seconds": "Off", "timerOption_0_seconds": "O'chirilgan",
"timerOption_5_seconds": "5 seconds", "timerOption_5_seconds": "5 soniya",
"timerOption_10_seconds": "10 seconds", "timerOption_10_seconds": "10 soniya",
"timerOption_30_seconds": "30 seconds", "timerOption_30_seconds": "30 soniya",
"timerOption_1_minute": "1 minute", "timerOption_1_minute": "1 daqiqa",
"timerOption_5_minutes": "5 minutes", "timerOption_5_minutes": "5 daqiqa",
"timerOption_30_minutes": "30 daqiqa", "timerOption_30_minutes": "30 daqiqa",
"timerOption_1_hour": "1 soat", "timerOption_1_hour": "1 soat",
"timerOption_6_hours": "6 soat", "timerOption_6_hours": "6 soat",
"timerOption_12_hours": "12 soat", "timerOption_12_hours": "12 soat",
"timerOption_1_day": "1 kun", "timerOption_1_day": "1 kun",
"timerOption_1_week": "1 hafta", "timerOption_1_week": "1 hafta",
"disappearingMessages": "Disappearing messages", "timerOption_2_weeks": "2 hafta",
"disappearingMessages": "Yo'qolgan xabarlar",
"changeNickname": "Taxallusni oʻzgartirish", "changeNickname": "Taxallusni oʻzgartirish",
"clearNickname": "Taxallusni tozalash", "clearNickname": "Taxallusni tozalash",
"nicknamePlaceholder": "Yangi taxallus", "nicknamePlaceholder": "Yangi taxallus",
@ -209,26 +212,27 @@
"timerOption_12_hours_abbreviated": "12 soat", "timerOption_12_hours_abbreviated": "12 soat",
"timerOption_1_day_abbreviated": "1k", "timerOption_1_day_abbreviated": "1k",
"timerOption_1_week_abbreviated": "1h", "timerOption_1_week_abbreviated": "1h",
"disappearingMessagesDisabled": "Disappearing messages disabled", "timerOption_2_weeks_abbreviated": "2 hafta",
"disabledDisappearingMessages": "$name$ disabled disappearing messages.", "disappearingMessagesDisabled": "Yo'qolgan xabarlar o'chirildi",
"youDisabledDisappearingMessages": "You disabled disappearing messages.", "disabledDisappearingMessages": "$name$ yoʻqolgan xabarlarni oʻchirib qoʻydi.",
"timerSetTo": "Disappearing message time set to $time$", "youDisabledDisappearingMessages": "Siz yo'qolgan xabarlarni o'chirib qo'ydingiz.",
"noteToSelf": "Note to Self", "timerSetTo": "Yoʻqolgan xabar vaqti $time$ qilib belgilandi",
"hideMenuBarTitle": "Hide Menu Bar", "noteToSelf": "O'zizga eslatma",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarTitle": "Menyu panelini yashirish",
"startConversation": "Start New Conversation", "hideMenuBarDescription": "Tizim menyusi paneli koʻrinishini oʻzgartirish.",
"invalidNumberError": "Invalid Session ID or ONS Name", "startConversation": "Yangi suhbatni boshlang",
"failedResolveOns": "Failed to resolve ONS name", "invalidNumberError": "Iltimos Session Id va ONS nomini tekshiring va qaytadan harakat qiling",
"failedResolveOns": "ONS nomini hal qilib boʻlmadi",
"autoUpdateSettingTitle": "Avtomatik yangilash", "autoUpdateSettingTitle": "Avtomatik yangilash",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Ishga tushganda yangilanishlarni avtomatik tekshirish.",
"autoUpdateNewVersionTitle": "Session update available", "autoUpdateNewVersionTitle": "Session yangilanishi mavjud",
"autoUpdateNewVersionMessage": "There is a new version of Session available.", "autoUpdateNewVersionMessage": "Session ning yangi versiyasi mavjud.",
"autoUpdateNewVersionInstructions": "Press Restart Session to apply the updates.", "autoUpdateNewVersionInstructions": "Yangilanishlarni qo'llash uchun Sessiyani qayta boshlash tugmasini bosing.",
"autoUpdateRestartButtonLabel": "Restart Session", "autoUpdateRestartButtonLabel": "Session ni qayta ishga tushiring",
"autoUpdateLaterButtonLabel": "Keyinroq", "autoUpdateLaterButtonLabel": "Keyinroq",
"autoUpdateDownloadButtonLabel": "Yuklash", "autoUpdateDownloadButtonLabel": "Yuklash",
"autoUpdateDownloadedMessage": "Update has been downloaded.", "autoUpdateDownloadedMessage": "Yangilanish yuklandi.",
"autoUpdateDownloadInstructions": "Would you like to download the update?", "autoUpdateDownloadInstructions": "Yangilanishnni yuklashni xohlaysizmi?",
"leftTheGroup": "$name$ guruhni tark etdi.", "leftTheGroup": "$name$ guruhni tark etdi.",
"multipleLeftTheGroup": "$name$ guruhni tark etdi", "multipleLeftTheGroup": "$name$ guruhni tark etdi",
"updatedTheGroup": "Jamoa yangilandi", "updatedTheGroup": "Jamoa yangilandi",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$name$ guruhga qoʻshildi.", "multipleJoinedTheGroup": "$name$ guruhga qoʻshildi.",
"kickedFromTheGroup": "$name$ guruhdan chiqarib yuborildi.", "kickedFromTheGroup": "$name$ guruhdan chiqarib yuborildi.",
"multipleKickedFromTheGroup": "$name$ jamoadan haydaldi.", "multipleKickedFromTheGroup": "$name$ jamoadan haydaldi.",
"blockUser": "Surgun qil", "block": "Block",
"unblockUser": "Surgunlikdan qaytar", "unblock": "Unblock",
"unblocked": "Af qilingan", "unblocked": "Af qilingan",
"blocked": "Af qilinmagan", "blocked": "Af qilinmagan",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Bloklangan kontaktlar",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "Suhbatlar",
"unbanUser": "Kishini af qil", "unbanUser": "Kishini af qil",
"userUnbanned": "Kishi af qilindi", "userUnbanned": "Kishi af qilindi",
"userUnbanFailed": "Af qilinmadi!", "userUnbanFailed": "Af qilinmadi!",
@ -251,14 +255,14 @@
"userBanned": "Hamma yog'i bilan surgun qilindi", "userBanned": "Hamma yog'i bilan surgun qilindi",
"userBanFailed": "Surgunlik vaqtida muammo chiqdi!", "userBanFailed": "Surgunlik vaqtida muammo chiqdi!",
"leaveGroup": "Jamoadan ajralish", "leaveGroup": "Jamoadan ajralish",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "Guruhni tark eting va hamma uchun o'chirish",
"leaveGroupConfirmation": "Jamoani tark etishing rostmi?", "leaveGroupConfirmation": "Jamoani tark etishing rostmi?",
"leaveGroupConfirmationAdmin": "As you are the admin of this group, if you leave it it will be removed for every current members. Are you sure you want to leave this group?", "leaveGroupConfirmationAdmin": "Siz ushbu guruhning administratori ekansiz, agar uni tark etsangiz, u har bir joriy aʼzo uchun oʻchirib tashlanadi. Haqiqatan ham bu guruhni tark etmoqchimisiz?",
"cannotRemoveCreatorFromGroup": "Cannot remove this user", "cannotRemoveCreatorFromGroup": "Bu foydalanuvchini olib tashlab bolmaydi",
"cannotRemoveCreatorFromGroupDesc": "You cannot remove this user as they are the creator of the group.", "cannotRemoveCreatorFromGroupDesc": "Siz bu foydalanuvchini olib tashlay olmaysiz, chunki ular guruh yaratuvchisi.",
"noContactsForGroup": "You don't have any contacts yet", "noContactsForGroup": "Sizda hali kontaktlar yoq",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "Foydalanuvchini administrator sifatida qoshib bolmadi",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "Foydalanuvchini administrator royxatidan olib tashlab bolmadi",
"copyMessage": "Copy message text", "copyMessage": "Copy message text",
"selectMessage": "Select message", "selectMessage": "Select message",
"editGroup": "Edit group", "editGroup": "Edit group",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Updating $name$...", "updateGroupDialogTitle": "Updating $name$...",
"showRecoveryPhrase": "Recovery Phrase", "showRecoveryPhrase": "Recovery Phrase",
"yourSessionID": "Your Session ID", "yourSessionID": "Your Session ID",
"setAccountPasswordTitle": "Set Account Password", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Akkaunt parolini oʻzgartirish", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Akkaunt parolini olib tashlash", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Please enter your password", "enterPassword": "Please enter your password",
"confirmPassword": "Parolni tasdiqlash", "confirmPassword": "Parolni tasdiqlash",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Please enter your password", "showRecoveryPhrasePasswordRequest": "Please enter your password",
"recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.", "recoveryPhraseSavePromptMain": "Your recovery phrase is the master key to your Session ID — you can use it to restore your Session ID if you lose access to your device. Store your recovery phrase in a safe place, and don't give it to anyone.",
"invalidOpenGroupUrl": "Invalid URL", "invalidOpenGroupUrl": "Invalid URL",
"copiedToClipboard": "Copied to clipboard", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Parol", "password": "Parol",
"setPassword": "Parol ornatish", "setPassword": "Parol ornatish",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Parollar mos kelmadi", "setPasswordInvalid": "Parollar mos kelmadi",
"changePasswordInvalid": "The old password you entered is incorrect", "changePasswordInvalid": "The old password you entered is incorrect",
"removePasswordInvalid": "Incorrect password", "removePasswordInvalid": "Incorrect password",
"setPasswordTitle": "Parol oʻrnatish", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Changed Password", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Removed Password", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Your password has been set. Please keep it safe.", "setPasswordToastDescription": "Your password has been set. Please keep it safe.",
"changePasswordToastDescription": "Your password has been changed. Please keep it safe.", "changePasswordToastDescription": "Your password has been changed. Please keep it safe.",
"removePasswordToastDescription": "You have removed your password.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Ulanmoqda...", "connectingToServer": "Ulanmoqda...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Appearance", "appearanceSettingsTitle": "Appearance",
"privacySettingsTitle": "Maxfiylik", "privacySettingsTitle": "Maxfiylik",
"notificationsSettingsTitle": "Bildirishnomalar", "notificationsSettingsTitle": "Bildirishnomalar",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Enter your recovery phrase", "recoveryPhraseEmpty": "Enter your recovery phrase",
"displayNameEmpty": "Please enter a display name", "displayNameEmpty": "Please enter a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ ta aʼzo", "members": "$count$ ta aʼzo",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Iltimos, qisqaroq guruh nomini kiriting", "invalidGroupNameTooLong": "Iltimos, qisqaroq guruh nomini kiriting",
"pickClosedGroupMember": "Please pick at least 1 group member", "pickClosedGroupMember": "Please pick at least 1 group member",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?", "trustThisContactDialogDescription": "Are you sure you want to download media sent by $name$?",
"pinConversation": "Pin Conversation", "pinConversation": "Pin Conversation",
"unpinConversation": "Unpin Conversation", "unpinConversation": "Unpin Conversation",
"markUnread": "Mark Unread",
"showUserDetails": "Show User Details", "showUserDetails": "Show User Details",
"sendRecoveryPhraseTitle": "Sending Recovery Phrase", "sendRecoveryPhraseTitle": "Sending Recovery Phrase",
"sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?", "sendRecoveryPhraseMessage": "You are attempting to send your recovery phrase which can be used to access your account. Are you sure you want to send this message?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?", "dialogClearAllDataDeletionFailedTitleQuestion": "Do you want to delete data from just this device?",
"dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Data not deleted by those Service Nodes: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?", "areYouSureDeleteDeviceOnly": "Are you sure you want to delete your device data only?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.", "callMissedCausePermission": "Call missed from '$name$' because you need to enable the 'Voice and video calls' permission in the Privacy Settings.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "You called $name$", "startedACall": "You called $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Yashirish", "hideBanner": "Yashirish",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "Bật/Tắt toàn màn hình", "viewMenuToggleFullScreen": "Bật/Tắt toàn màn hình",
"viewMenuToggleDevTools": "Bật/Tắt Công Cụ Nhà Phát Triển", "viewMenuToggleDevTools": "Bật/Tắt Công Cụ Nhà Phát Triển",
"contextMenuNoSuggestions": "Không có đề xuất", "contextMenuNoSuggestions": "Không có đề xuất",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "Lời mời tham gia nhóm",
"joinOpenGroupAfterInvitationConfirmationTitle": "Tham gia vào $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "Tham gia vào $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "Bạn có chắc bạn muốn tham gia vào nhóm mở $roomName$ ?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "Nhập Session ID hoặc tên OSN", "enterSessionIDOrONSName": "Nhập Session ID hoặc tên OSN",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "Bắt đầu cuộc trò chuyện mới bằng cách nhập ID phiên của ai đó hoặc chia sẻ ID phiên của bạn với họ.",
"loading": "Đang tải...", "loading": "Đang tải...",
"done": "Xong", "done": "Xong",
"youLeftTheGroup": "Bạn đã rời nhóm.", "youLeftTheGroup": "Bạn đã rời nhóm.",
"youGotKickedFromGroup": "Bạn đã bị xoá khỏi nhóm.", "youGotKickedFromGroup": "Bạn đã bị xoá khỏi nhóm.",
"unreadMessages": "Các tin nhắn chưa đọc", "unreadMessages": "Các tin nhắn chưa đọc",
"debugLogExplanation": "Nhật ký này sẽ được lưu ở màn hình chính.", "debugLogExplanation": "Nhật ký này sẽ được lưu ở màn hình chính.",
"reportIssue": "Report a Bug", "reportIssue": "Báo cáo lỗi",
"markAllAsRead": "Đánh dấu tất cả là đã đọc", "markAllAsRead": "Đánh dấu tất cả là đã đọc",
"incomingError": "Lỗi xử lí tin nhắn mới nhận", "incomingError": "Lỗi xử lí tin nhắn mới nhận",
"media": "Đa phương tiện", "media": "Đa phương tiện",
@ -62,7 +62,7 @@
"unableToLoadAttachment": "Xin lỗi, có lỗi thiết đặt tập tin đính kèm của bạn.", "unableToLoadAttachment": "Xin lỗi, có lỗi thiết đặt tập tin đính kèm của bạn.",
"offline": "Ngoại tuyến", "offline": "Ngoại tuyến",
"debugLog": "Nhật ký sửa lỗi", "debugLog": "Nhật ký sửa lỗi",
"showDebugLog": "Export Logs", "showDebugLog": "Xuất nhật ký",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.",
"goToReleaseNotes": "Đi tới các ghi chú phát hành", "goToReleaseNotes": "Đi tới các ghi chú phát hành",
"goToSupportPage": "Đi đến trang Hỗ trợ", "goToSupportPage": "Đi đến trang Hỗ trợ",
@ -72,7 +72,7 @@
"noSearchResults": "No results for \"$searchTerm$\"", "noSearchResults": "No results for \"$searchTerm$\"",
"conversationsHeader": "Các liên hệ và nhóm", "conversationsHeader": "Các liên hệ và nhóm",
"contactsHeader": "Liên hệ", "contactsHeader": "Liên hệ",
"messagesHeader": "Tin nhắn", "messagesHeader": "Conversations",
"settingsHeader": "Cài đặt", "settingsHeader": "Cài đặt",
"typingAlt": "Hoạt ảnh đánh chữ cho cuộc trò chuyện này", "typingAlt": "Hoạt ảnh đánh chữ cho cuộc trò chuyện này",
"contactAvatarAlt": "Ảnh cá nhân cho liên hệ: $name$", "contactAvatarAlt": "Ảnh cá nhân cho liên hệ: $name$",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "Xóa $count$ tin nhắn đã chọn?", "deleteMessagesQuestion": "Xóa $count$ tin nhắn đã chọn?",
"deleteMessageQuestion": "Xoá tin nhắn này?", "deleteMessageQuestion": "Xoá tin nhắn này?",
"deleteMessages": "Xóa tin nhắn", "deleteMessages": "Xóa tin nhắn",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ deleted", "deleted": "$count$ deleted",
"messageDeletedPlaceholder": "Tin nhắn này đã bị xóa", "messageDeletedPlaceholder": "Tin nhắn này đã bị xóa",
"from": "Từ:", "from": "Từ:",
@ -107,29 +108,30 @@
"sent": "Đã gửi", "sent": "Đã gửi",
"received": "Đã nhận", "received": "Đã nhận",
"sendMessage": "Gửi tin nhắn", "sendMessage": "Gửi tin nhắn",
"groupMembers": "Thành viên trong nhóm", "groupMembers": "Members",
"moreInformation": "Thông tin chi tiết", "moreInformation": "Thông tin chi tiết",
"resend": "Gửi lại", "resend": "Gửi lại",
"deleteConversationConfirmation": "Xóa cuộc trò chuyện này vĩnh viễn?", "deleteConversationConfirmation": "Xóa cuộc trò chuyện này vĩnh viễn?",
"clear": "Clear", "clear": "Clear",
"clearAllData": "Xóa tất cả dữ liệu", "clearAllData": "Xóa tất cả dữ liệu",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "This will permanently delete your messages and contacts.",
"deleteAccountFromLogin": "Are you sure you want to clear your device?",
"deleteContactConfirmation": "Bạn có chắc chắn rằng bạn muốn xoá cuộc hội thoại này không?", "deleteContactConfirmation": "Bạn có chắc chắn rằng bạn muốn xoá cuộc hội thoại này không?",
"quoteThumbnailAlt": "Ảnh xem trước của tin nhắn trích dẫn", "quoteThumbnailAlt": "Ảnh xem trước của tin nhắn trích dẫn",
"imageAttachmentAlt": "Hình ảnh đã được đính kèm trong tin nhắn", "imageAttachmentAlt": "Hình ảnh đã được đính kèm trong tin nhắn",
"videoAttachmentAlt": "Ảnh chụp màn hình video được đính kèm từ tin nhắn", "videoAttachmentAlt": "Screenshot of video in message",
"lightboxImageAlt": "Hình ảnh được gửi trong cuộc trò chuyện", "lightboxImageAlt": "Hình ảnh được gửi trong cuộc trò chuyện",
"imageCaptionIconAlt": "Biểu tượng cho thấy hình ảnh này có chú thích", "imageCaptionIconAlt": "Biểu tượng cho thấy hình ảnh này có chú thích",
"addACaption": "Thêm mô tả...", "addACaption": "Thêm mô tả...",
"copySessionID": "Sao chép Session ID", "copySessionID": "Sao chép Session ID",
"copyOpenGroupURL": "Sao chép URL nhóm", "copyOpenGroupURL": "Copy Group URL",
"save": "Lưu", "save": "Lưu",
"saveLogToDesktop": "Lưu nhật ký vào máy", "saveLogToDesktop": "Lưu nhật ký vào máy",
"saved": "Đã lưu", "saved": "Đã lưu",
"tookAScreenshot": "$name$ đã chụp màn hình", "tookAScreenshot": "$name$ đã chụp màn hình",
"savedTheFile": "Phương tiện được lưu bởi $name$", "savedTheFile": "Phương tiện được lưu bởi $name$",
"linkPreviewsTitle": "Gửi đường dẫn xem trước", "linkPreviewsTitle": "Gửi đường dẫn xem trước",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "Generate link previews for supported URLs.",
"linkPreviewsConfirmMessage": "Bạn sẽ không được bảo vệ siêu dữ liệu đầy đủ khi gửi bản xem trước liên kết.", "linkPreviewsConfirmMessage": "Bạn sẽ không được bảo vệ siêu dữ liệu đầy đủ khi gửi bản xem trước liên kết.",
"mediaPermissionsTitle": "Micrô", "mediaPermissionsTitle": "Micrô",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "Allow access to microphone.",
@ -142,7 +144,7 @@
"typingIndicatorsSettingTitle": "Typing Indicators", "typingIndicatorsSettingTitle": "Typing Indicators",
"zoomFactorSettingTitle": "Zoom Factor", "zoomFactorSettingTitle": "Zoom Factor",
"themesSettingTitle": "Themes", "themesSettingTitle": "Themes",
"primaryColor": "Primary Color", "primaryColor": "Primary Colour",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "Primary color green",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "Primary color blue",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "Primary color yellow",
@ -155,11 +157,11 @@
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "Ocean Dark",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "Ocean Light",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "Trim Communities",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "Delete messages older than 6 months from Communities that have over 2,000 messages.",
"enable": "Enable", "enable": "Enable",
"keepDisabled": "Keep disabled", "keepDisabled": "Keep disabled",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "The information shown in notifications.",
"nameAndMessage": "Cả tên người gửi lẫn tin nhắn", "nameAndMessage": "Name & Content",
"noNameOrMessage": "Không hiện tên cũng như tin nhắn", "noNameOrMessage": "Không hiện tên cũng như tin nhắn",
"nameOnly": "Chỉ tên người gửi", "nameOnly": "Chỉ tên người gửi",
"newMessage": "Tin nhắn mới", "newMessage": "Tin nhắn mới",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 tiếng", "timerOption_12_hours": "12 tiếng",
"timerOption_1_day": "1 ngày", "timerOption_1_day": "1 ngày",
"timerOption_1_week": "1 tuần", "timerOption_1_week": "1 tuần",
"timerOption_2_weeks": "2 weeks",
"disappearingMessages": "Xóa (tự động) tin nhắn", "disappearingMessages": "Xóa (tự động) tin nhắn",
"changeNickname": "Đổi biệt danh", "changeNickname": "Đổi biệt danh",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,15 +212,16 @@
"timerOption_12_hours_abbreviated": "12 giờ", "timerOption_12_hours_abbreviated": "12 giờ",
"timerOption_1_day_abbreviated": "1 ngày", "timerOption_1_day_abbreviated": "1 ngày",
"timerOption_1_week_abbreviated": "1 tuần", "timerOption_1_week_abbreviated": "1 tuần",
"timerOption_2_weeks_abbreviated": "2w",
"disappearingMessagesDisabled": "Chế độ tin nhắn tự huỷ đã tắt", "disappearingMessagesDisabled": "Chế độ tin nhắn tự huỷ đã tắt",
"disabledDisappearingMessages": "$name$ disabled disappearing messages", "disabledDisappearingMessages": "$name$ has turned off disappearing messages.",
"youDisabledDisappearingMessages": "You disabled disappearing messages", "youDisabledDisappearingMessages": "You disabled disappearing messages",
"timerSetTo": "Thời gian thiết lập đến $time$", "timerSetTo": "Thời gian thiết lập đến $time$",
"noteToSelf": "Ghi chú bản thân", "noteToSelf": "Ghi chú bản thân",
"hideMenuBarTitle": "Hide Menu Bar", "hideMenuBarTitle": "Hide Menu Bar",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "Toggle system menu bar visibility.",
"startConversation": "Start new conversation…", "startConversation": "Start new conversation…",
"invalidNumberError": "Số không chính xác", "invalidNumberError": "Please check the Session ID or ONS name and try again",
"failedResolveOns": "Failed to resolve ONS name", "failedResolveOns": "Failed to resolve ONS name",
"autoUpdateSettingTitle": "Tự động cập nhật", "autoUpdateSettingTitle": "Tự động cập nhật",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "Automatically check for updates on startup.",
@ -237,8 +241,8 @@
"multipleJoinedTheGroup": "$name$ đã tham gia nhóm.", "multipleJoinedTheGroup": "$name$ đã tham gia nhóm.",
"kickedFromTheGroup": "$name$ đã bị xoá khỏi nhóm.", "kickedFromTheGroup": "$name$ đã bị xoá khỏi nhóm.",
"multipleKickedFromTheGroup": "$name$ đã bị xoá khỏi nhóm.", "multipleKickedFromTheGroup": "$name$ đã bị xoá khỏi nhóm.",
"blockUser": "Chặn", "block": "Block",
"unblockUser": "Không chặn", "unblock": "Unblock",
"unblocked": "Bỏ chặn", "unblocked": "Bỏ chặn",
"blocked": "Đã chặn", "blocked": "Đã chặn",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "Blocked Contacts",
@ -266,11 +270,11 @@
"updateGroupDialogTitle": "Cập nhật $name$...", "updateGroupDialogTitle": "Cập nhật $name$...",
"showRecoveryPhrase": "Cụm từ khôi phục", "showRecoveryPhrase": "Cụm từ khôi phục",
"yourSessionID": "Session ID của bạn", "yourSessionID": "Session ID của bạn",
"setAccountPasswordTitle": "Đặt mật khẩu tài khoản", "setAccountPasswordTitle": "Password",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "Require password to unlock Session.",
"changeAccountPasswordTitle": "Đổi mật khẩu tài khoản", "changeAccountPasswordTitle": "Change Password",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "Change the password required to unlock Session.",
"removeAccountPasswordTitle": "Xoá mật khẩu tài khoản", "removeAccountPasswordTitle": "Remove Password",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "Remove the password required to unlock Session.",
"enterPassword": "Vui lòng nhập mật khẩu", "enterPassword": "Vui lòng nhập mật khẩu",
"confirmPassword": "Xác nhận mật khẩu", "confirmPassword": "Xác nhận mật khẩu",
@ -279,7 +283,7 @@
"showRecoveryPhrasePasswordRequest": "Vui lòng nhập mật khẩu", "showRecoveryPhrasePasswordRequest": "Vui lòng nhập mật khẩu",
"recoveryPhraseSavePromptMain": "Cụm từ khôi phục của bạn là chìa khoá chủ cho Session ID của bạn — bạn có thể sử dụng nó để khôi phục Session ID khi bị mất tiếp cận với thiết bị của bạn. Hãy lưu cụm từ khôi phục của bạn ở một nơi an toàn và không cung cấp cho bất kì ai.", "recoveryPhraseSavePromptMain": "Cụm từ khôi phục của bạn là chìa khoá chủ cho Session ID của bạn — bạn có thể sử dụng nó để khôi phục Session ID khi bị mất tiếp cận với thiết bị của bạn. Hãy lưu cụm từ khôi phục của bạn ở một nơi an toàn và không cung cấp cho bất kì ai.",
"invalidOpenGroupUrl": "URL không hợp lệ", "invalidOpenGroupUrl": "URL không hợp lệ",
"copiedToClipboard": "Sao chép vào bộ nhớ tạm", "copiedToClipboard": "Copied",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "Enter Password",
"password": "Mật khẩu", "password": "Mật khẩu",
"setPassword": "Đặt mật khẩu", "setPassword": "Đặt mật khẩu",
@ -295,12 +299,12 @@
"setPasswordInvalid": "Mật khẩu không khớp", "setPasswordInvalid": "Mật khẩu không khớp",
"changePasswordInvalid": "Mật khẩu cũ chưa đúng", "changePasswordInvalid": "Mật khẩu cũ chưa đúng",
"removePasswordInvalid": "Mật khẩu không chính xác", "removePasswordInvalid": "Mật khẩu không chính xác",
"setPasswordTitle": "Thiết lập mật khẩu", "setPasswordTitle": "Password Set",
"changePasswordTitle": "Đổi mật khẩu thành công", "changePasswordTitle": "Password Changed",
"removePasswordTitle": "Xóa mật khẩu thành công", "removePasswordTitle": "Password Removed",
"setPasswordToastDescription": "Mật khẩu của bạn đã được đặt. Hãy giữ nó cẩn thận.", "setPasswordToastDescription": "Mật khẩu của bạn đã được đặt. Hãy giữ nó cẩn thận.",
"changePasswordToastDescription": "Mật khẩu của bạn đã được đổi. Hãy giữ nó cẩn thận.", "changePasswordToastDescription": "Mật khẩu của bạn đã được đổi. Hãy giữ nó cẩn thận.",
"removePasswordToastDescription": "Bạn đã xoá mật khẩu của bạn.", "removePasswordToastDescription": "Your password has been removed.",
"publicChatExists": "You are already connected to this community", "publicChatExists": "You are already connected to this community",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "Couldn't join community",
"connectingToServer": "Đang kết nối...", "connectingToServer": "Đang kết nối...",
@ -355,11 +359,14 @@
"appearanceSettingsTitle": "Diện mạo", "appearanceSettingsTitle": "Diện mạo",
"privacySettingsTitle": "Riêng tư", "privacySettingsTitle": "Riêng tư",
"notificationsSettingsTitle": "Thông báo", "notificationsSettingsTitle": "Thông báo",
"audioNotificationsSettingsTitle": "Audio Notifications",
"notificationsSettingsContent": "Notification Content", "notificationsSettingsContent": "Notification Content",
"notificationPreview": "Preview", "notificationPreview": "Preview",
"recoveryPhraseEmpty": "Nhập cụm từ khôi phục của bạn.", "recoveryPhraseEmpty": "Nhập cụm từ khôi phục của bạn.",
"displayNameEmpty": "Vui lòng chọn một tên hiển thị", "displayNameEmpty": "Vui lòng chọn một tên hiển thị",
"displayNameTooLong": "Display name is too long",
"members": "$count$ members", "members": "$count$ members",
"activeMembers": "$count$ active members",
"join": "Join", "join": "Join",
"joinOpenGroup": "Join Community", "joinOpenGroup": "Join Community",
"createGroup": "Create Group", "createGroup": "Create Group",
@ -373,7 +380,7 @@
"invalidGroupNameTooLong": "Vui lòng nhập một tên nhóm ngắn hơn", "invalidGroupNameTooLong": "Vui lòng nhập một tên nhóm ngắn hơn",
"pickClosedGroupMember": "Vui lòng chọn ít nhất 2 thành viên trong nhóm", "pickClosedGroupMember": "Vui lòng chọn ít nhất 2 thành viên trong nhóm",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "A group cannot have more than 100 members",
"noBlockedContacts": "No blocked contacts", "noBlockedContacts": "You have no blocked contacts.",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "User added to admin list",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "User removed from admin list",
"orJoinOneOfThese": "Or join one of these...", "orJoinOneOfThese": "Or join one of these...",
@ -406,6 +413,7 @@
"trustThisContactDialogDescription": "Bạn có chắc bạn muốn tải tệp đa phương tiện gửi bởi $name$?", "trustThisContactDialogDescription": "Bạn có chắc bạn muốn tải tệp đa phương tiện gửi bởi $name$?",
"pinConversation": "Ghim cuộc trò chuyện", "pinConversation": "Ghim cuộc trò chuyện",
"unpinConversation": "Bỏ ghim cuộc trò chuyện", "unpinConversation": "Bỏ ghim cuộc trò chuyện",
"markUnread": "Mark Unread",
"showUserDetails": "Hiện thông tin người dùng", "showUserDetails": "Hiện thông tin người dùng",
"sendRecoveryPhraseTitle": "Đang gửi vế phục hồi", "sendRecoveryPhraseTitle": "Đang gửi vế phục hồi",
"sendRecoveryPhraseMessage": "Bạn đang chuẩn bị gởi vế khôi phục của bạn dùng vào mục đích truy cập tài khoản của bạn. Bạn có chắc bạn muốn gửi tin nhắn này?", "sendRecoveryPhraseMessage": "Bạn đang chuẩn bị gởi vế khôi phục của bạn dùng vào mục đích truy cập tài khoản của bạn. Bạn có chắc bạn muốn gửi tin nhắn này?",
@ -414,6 +422,9 @@
"dialogClearAllDataDeletionFailedTitleQuestion": "Bạn có muốn xoá dữ liệu chỉ thiết bị này?", "dialogClearAllDataDeletionFailedTitleQuestion": "Bạn có muốn xoá dữ liệu chỉ thiết bị này?",
"dialogClearAllDataDeletionFailedMultiple": "Dữ liệu xoá không thành công bởi các Node Dịch vụ: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "Dữ liệu xoá không thành công bởi các Node Dịch vụ: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?",
"clearDevice": "Clear Device",
"tryAgain": "Try Again",
"areYouSureClearDevice": "Are you sure you want to clear your device?",
"deviceOnly": "Clear Device Only", "deviceOnly": "Clear Device Only",
"entireAccount": "Clear Device and Network", "entireAccount": "Clear Device and Network",
"areYouSureDeleteDeviceOnly": "Bạn có chắc bạn muốn xoá chỉ dữ liệu từ thiết bị của bạn?", "areYouSureDeleteDeviceOnly": "Bạn có chắc bạn muốn xoá chỉ dữ liệu từ thiết bị của bạn?",
@ -453,7 +464,7 @@
"callMissedCausePermission": "Cuộc gọi từ '$name$' bị nhỡ vì bạn chưa cho phép quyền truy cập 'Gọi giọng nói và video' trong mục Cài đặt Quyền riêng tư.", "callMissedCausePermission": "Cuộc gọi từ '$name$' bị nhỡ vì bạn chưa cho phép quyền truy cập 'Gọi giọng nói và video' trong mục Cài đặt Quyền riêng tư.",
"callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.", "callMissedNotApproved": "Call missed from '$name$' as you haven't approved this conversation yet. Send a message to them first.",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "Enables voice and video calls to and from other users.",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "Your IP address is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)",
"startedACall": "Bạn đã gọi $name$", "startedACall": "Bạn đã gọi $name$",
"answeredACall": "Call with $name$", "answeredACall": "Call with $name$",
@ -475,11 +486,16 @@
"youHaveANewFriendRequest": "You have a new friend request", "youHaveANewFriendRequest": "You have a new friend request",
"clearAllConfirmationTitle": "Clear All Message Requests", "clearAllConfirmationTitle": "Clear All Message Requests",
"clearAllConfirmationBody": "Are you sure you want to clear all message requests?", "clearAllConfirmationBody": "Are you sure you want to clear all message requests?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "Hide", "hideBanner": "Hide",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "View your Message Request inbox", "openMessageRequestInboxDescription": "View your Message Request inbox",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "Are you sure you want to clear all $emoji$ ?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "Show Less",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "Reacts to a message with $emoji$",
"rateLimitReactMessage": "Slow down! You've sent too many emoji reacts. Try again soon",
"otherSingular": "$number$ other", "otherSingular": "$number$ other",
"otherPlural": "$number$ others", "otherPlural": "$number$ others",
"reactionPopup": "reacted with", "reactionPopup": "reacted with",

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "全屏开关", "viewMenuToggleFullScreen": "全屏开关",
"viewMenuToggleDevTools": "开发者工具开关", "viewMenuToggleDevTools": "开发者工具开关",
"contextMenuNoSuggestions": "没有任何建议", "contextMenuNoSuggestions": "没有任何建议",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "群聊邀请",
"joinOpenGroupAfterInvitationConfirmationTitle": "加入 $roomName$ 吗?", "joinOpenGroupAfterInvitationConfirmationTitle": "加入 $roomName$ 吗?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "你确定你要加入群聊 $roomName$ 吗?",
"couldntFindServerMatching": "无法找到相应的 openggroup服务器", "couldntFindServerMatching": "无法找到相应的community服务器",
"enterSessionIDOrONSName": "输入Session ID或ONS名称", "enterSessionIDOrONSName": "输入Session ID或ONS名称",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "通过某人的 Session ID 或与他人分享你自己的 Session ID 来开始新的会话。",
"loading": "加载中...", "loading": "加载中...",
"done": "完成", "done": "完成",
"youLeftTheGroup": "你已经离开了群组", "youLeftTheGroup": "你已经离开了群组",
"youGotKickedFromGroup": "您已被移出群组。", "youGotKickedFromGroup": "您已被移出群组。",
"unreadMessages": "未读消息", "unreadMessages": "未读消息",
"debugLogExplanation": "此日志将被保存到您的桌面。", "debugLogExplanation": "此日志将被保存到您的桌面。",
"reportIssue": "Report a Bug", "reportIssue": "Bug 反馈",
"markAllAsRead": "全部标为已读", "markAllAsRead": "全部标为已读",
"incomingError": "处理传入消息时出错", "incomingError": "处理传入消息时出错",
"media": "媒体", "media": "媒体",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "无法加载选中的附件。", "unableToLoadAttachment": "无法加载选中的附件。",
"offline": "离线", "offline": "离线",
"debugLog": "调试日志", "debugLog": "调试日志",
"showDebugLog": "Export Logs", "showDebugLog": "导出日志",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "导出你的日志然后通过Session帮助台上传日志",
"goToReleaseNotes": "前往发布说明", "goToReleaseNotes": "前往发布说明",
"goToSupportPage": "前往支持页面", "goToSupportPage": "前往支持页面",
"about": "关于", "about": "关于",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "是否删除已被选择$count$条信息?", "deleteMessagesQuestion": "是否删除已被选择$count$条信息?",
"deleteMessageQuestion": "删除这条消息?", "deleteMessageQuestion": "删除这条消息?",
"deleteMessages": "删除消息", "deleteMessages": "删除消息",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ 已删除", "deleted": "$count$ 已删除",
"messageDeletedPlaceholder": "该消息已被删除", "messageDeletedPlaceholder": "该消息已被删除",
"from": "来自", "from": "来自",
@ -107,13 +108,14 @@
"sent": "已发送", "sent": "已发送",
"received": "已接收", "received": "已接收",
"sendMessage": "发送一条消息", "sendMessage": "发送一条消息",
"groupMembers": "群组成员", "groupMembers": "成员",
"moreInformation": "更多信息", "moreInformation": "更多信息",
"resend": "重发", "resend": "重发",
"deleteConversationConfirmation": "永久删除此会话?", "deleteConversationConfirmation": "永久删除此会话?",
"clear": "Clear", "clear": "清除",
"clearAllData": "清除所有数据", "clearAllData": "清除所有数据",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "这将永久删除您的消息和联系人",
"deleteAccountFromLogin": "你确定你要清除你设备上的账号数据吗?",
"deleteContactConfirmation": "您确定要删除此对话吗?", "deleteContactConfirmation": "您确定要删除此对话吗?",
"quoteThumbnailAlt": "引用消息图片的缩略图", "quoteThumbnailAlt": "引用消息图片的缩略图",
"imageAttachmentAlt": "消息图片", "imageAttachmentAlt": "消息图片",
@ -129,44 +131,44 @@
"tookAScreenshot": "$name$ 做了屏幕截图。", "tookAScreenshot": "$name$ 做了屏幕截图。",
"savedTheFile": "$name$ 保存了媒体内容。", "savedTheFile": "$name$ 保存了媒体内容。",
"linkPreviewsTitle": "发送链接预览", "linkPreviewsTitle": "发送链接预览",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "为支持的链接生成预览",
"linkPreviewsConfirmMessage": "您无法在绝对的数据安全保障前提下发送链接预览。", "linkPreviewsConfirmMessage": "您无法在绝对的数据安全保障前提下发送链接预览。",
"mediaPermissionsTitle": "麦克风", "mediaPermissionsTitle": "麦克风",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "允许使用麦克风",
"spellCheckTitle": "拼写检查", "spellCheckTitle": "拼写检查",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "在键入信息时进行拼写检查",
"spellCheckDirty": "您必须重新启动Session才能应用您的新设置", "spellCheckDirty": "您必须重新启动Session才能应用您的新设置",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "在私聊中发送已读回执",
"readReceiptSettingTitle": "已读回执", "readReceiptSettingTitle": "已读回执",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "在私聊中查看他人并展示自己的键入状态",
"typingIndicatorsSettingTitle": "键入指示器", "typingIndicatorsSettingTitle": "键入指示器",
"zoomFactorSettingTitle": "缩放倍数", "zoomFactorSettingTitle": "缩放倍数",
"themesSettingTitle": "Themes", "themesSettingTitle": "主题",
"primaryColor": "Primary Color", "primaryColor": "主色调",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "绿色",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "蓝色",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "黄色",
"primaryColorPink": "Primary color pink", "primaryColorPink": "粉色",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "紫色",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "橘色",
"primaryColorRed": "Primary color red", "primaryColorRed": "红色",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "经典暗黑",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "经典浅色",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "浅暗黑",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "浅亮色",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "清理群组旧消息",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "删除消息超过2000条的群组中6个月之前的消息",
"enable": "启用", "enable": "启用",
"keepDisabled": "保持禁用", "keepDisabled": "保持禁用",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "在通知中显示的信息",
"nameAndMessage": "发件人和信息提醒", "nameAndMessage": "发件人名称和信息内容",
"noNameOrMessage": "发件人和信息均不提醒", "noNameOrMessage": "发件人和信息均不提醒",
"nameOnly": "仅显示发送者", "nameOnly": "仅显示发送者",
"newMessage": "新消息", "newMessage": "新消息",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "与新联系人开始对话",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "与您的联系人创建群聊",
"joinACommunity": "Join a community", "joinACommunity": "加入社区",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "点击联系人开始对话",
"newMessages": "新消息", "newMessages": "新消息",
"notificationMostRecentFrom": "最近来自:", "notificationMostRecentFrom": "最近来自:",
"notificationFrom": "来自:", "notificationFrom": "来自:",
@ -174,7 +176,7 @@
"sendFailed": "发送失败", "sendFailed": "发送失败",
"mediaMessage": "附件信息", "mediaMessage": "附件信息",
"messageBodyMissing": "请输入消息正文。", "messageBodyMissing": "请输入消息正文。",
"messageBody": "Message body", "messageBody": "消息正文",
"unblockToSend": "取消屏蔽此联系人以发送消息。", "unblockToSend": "取消屏蔽此联系人以发送消息。",
"unblockGroupToSend": "取消屏蔽此群组以发送消息。", "unblockGroupToSend": "取消屏蔽此群组以发送消息。",
"youChangedTheTimer": "您已将阅后即焚的时长设为$time$", "youChangedTheTimer": "您已将阅后即焚的时长设为$time$",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12小时", "timerOption_12_hours": "12小时",
"timerOption_1_day": "1天", "timerOption_1_day": "1天",
"timerOption_1_week": "1周", "timerOption_1_week": "1周",
"timerOption_2_weeks": "2周",
"disappearingMessages": "阅后即焚", "disappearingMessages": "阅后即焚",
"changeNickname": "更改昵称", "changeNickname": "更改昵称",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12小时", "timerOption_12_hours_abbreviated": "12小时",
"timerOption_1_day_abbreviated": "1天", "timerOption_1_day_abbreviated": "1天",
"timerOption_1_week_abbreviated": "1周", "timerOption_1_week_abbreviated": "1周",
"timerOption_2_weeks_abbreviated": "2 周",
"disappearingMessagesDisabled": "阅后即焚已停用", "disappearingMessagesDisabled": "阅后即焚已停用",
"disabledDisappearingMessages": "$name$停用了阅后即焚", "disabledDisappearingMessages": "$name$ 关闭了阅后即焚消息.",
"youDisabledDisappearingMessages": "您停用了阅后即焚", "youDisabledDisappearingMessages": "您停用了阅后即焚",
"timerSetTo": "计时器设置为$time$", "timerSetTo": "计时器设置为$time$",
"noteToSelf": "备忘录", "noteToSelf": "备忘录",
"hideMenuBarTitle": "隐藏菜单栏", "hideMenuBarTitle": "隐藏菜单栏",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "开启菜单栏可见",
"startConversation": "开始新会话...", "startConversation": "开始新会话...",
"invalidNumberError": "无效的号码", "invalidNumberError": "请检查 Session ID 或 ONS 名称,然后重试。",
"failedResolveOns": "无法解析数据!", "failedResolveOns": "无法解析数据!",
"autoUpdateSettingTitle": "自动更新", "autoUpdateSettingTitle": "自动更新",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "启动时自动检查更新",
"autoUpdateNewVersionTitle": "Session 有可用更新", "autoUpdateNewVersionTitle": "Session 有可用更新",
"autoUpdateNewVersionMessage": "有新版的 Session 可用。", "autoUpdateNewVersionMessage": "有新版的 Session 可用。",
"autoUpdateNewVersionInstructions": "点击“重启 Session", "autoUpdateNewVersionInstructions": "点击“重启 Session",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$names$加入了群聊", "multipleJoinedTheGroup": "$names$加入了群聊",
"kickedFromTheGroup": "$name$ 已被移出群组。", "kickedFromTheGroup": "$name$ 已被移出群组。",
"multipleKickedFromTheGroup": "$name$ 已被移出群组。", "multipleKickedFromTheGroup": "$name$ 已被移出群组。",
"blockUser": "加入黑名单", "block": "加入黑名单",
"unblockUser": "从黑名单中移除", "unblock": "从黑名单中移除",
"unblocked": "已从黑名单中移除", "unblocked": "已从黑名单中移除",
"blocked": "已加入黑名单", "blocked": "已加入黑名单",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "已屏蔽的联系人",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "对话",
"unbanUser": "解封用户", "unbanUser": "解封用户",
"userUnbanned": "用户解封成功", "userUnbanned": "用户解封成功",
"userUnbanFailed": "解封失败!", "userUnbanFailed": "解封失败!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "封禁失败!", "userBanFailed": "封禁失败!",
"leaveGroup": "离开群聊", "leaveGroup": "离开群聊",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "离开群组并为每个人删除",
"leaveGroupConfirmation": "您确定要离开这个群组吗?", "leaveGroupConfirmation": "您确定要离开这个群组吗?",
"leaveGroupConfirmationAdmin": "因为您是这个组的管理员,如果您离开它,它将被移除给每个当前成员。 您确定要离开此群组吗?", "leaveGroupConfirmationAdmin": "因为您是这个组的管理员,如果您离开它,它将被移除给每个当前成员。 您确定要离开此群组吗?",
"cannotRemoveCreatorFromGroup": "无法删除该用户", "cannotRemoveCreatorFromGroup": "无法删除该用户",
"cannotRemoveCreatorFromGroupDesc": "您不能删除此用户,因为他们是群组的创建人。", "cannotRemoveCreatorFromGroupDesc": "您不能删除此用户,因为他们是群组的创建人。",
"noContactsForGroup": "您还没有任何联系人", "noContactsForGroup": "您还没有任何联系人",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "设定用户管理者失败",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "无法从列表移除此用户",
"copyMessage": "复制消息文本", "copyMessage": "复制消息文本",
"selectMessage": "选择消息", "selectMessage": "选择消息",
"editGroup": "编辑群组", "editGroup": "编辑群组",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "正在更新 $name$...", "updateGroupDialogTitle": "正在更新 $name$...",
"showRecoveryPhrase": "您的恢复口令", "showRecoveryPhrase": "您的恢复口令",
"yourSessionID": "您的Session ID", "yourSessionID": "您的Session ID",
"setAccountPasswordTitle": "设置账户密码", "setAccountPasswordTitle": "密码",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "设置Session的解锁密码",
"changeAccountPasswordTitle": "更改帐户密码", "changeAccountPasswordTitle": "更改密码",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "更改Session的解锁密码",
"removeAccountPasswordTitle": "删除账户密码", "removeAccountPasswordTitle": "移除密码",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "删除Session的解锁密码",
"enterPassword": "请输入您的密码", "enterPassword": "请输入您的密码",
"confirmPassword": "确认密码", "confirmPassword": "确认密码",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "请输入您的新密码",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "确认新密码",
"showRecoveryPhrasePasswordRequest": "请输入您的密码", "showRecoveryPhrasePasswordRequest": "请输入您的密码",
"recoveryPhraseSavePromptMain": "您的恢复口令是Session ID的主密钥 - 如果您无法访问您的现有设备则可以使用它在其他设备上恢复您的Session ID。请将您的恢复口令存储在安全的地方不要将其提供给任何人。", "recoveryPhraseSavePromptMain": "您的恢复口令是Session ID的主密钥 - 如果您无法访问您的现有设备则可以使用它在其他设备上恢复您的Session ID。请将您的恢复口令存储在安全的地方不要将其提供给任何人。",
"invalidOpenGroupUrl": "无效的链接", "invalidOpenGroupUrl": "无效的链接",
"copiedToClipboard": "复制到剪贴板", "copiedToClipboard": "复制",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "请输入密码",
"password": "密码", "password": "密码",
"setPassword": "设置密码", "setPassword": "设置密码",
"changePassword": "更改密码", "changePassword": "更改密码",
"createPassword": "Create your password", "createPassword": "创建您的密码",
"removePassword": "移除密码", "removePassword": "移除密码",
"maxPasswordAttempts": "密码无效。您想要重置数据库吗?", "maxPasswordAttempts": "密码无效。您想要重置数据库吗?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "请输入您的当前密码",
"invalidOldPassword": "旧密码无效", "invalidOldPassword": "旧密码无效",
"invalidPassword": "密码无效", "invalidPassword": "密码无效",
"noGivenPassword": "请输入您的密码", "noGivenPassword": "请输入您的密码",
@ -295,16 +299,16 @@
"setPasswordInvalid": "密码不一致", "setPasswordInvalid": "密码不一致",
"changePasswordInvalid": "您输入的旧密码不正确", "changePasswordInvalid": "您输入的旧密码不正确",
"removePasswordInvalid": "密码不正确", "removePasswordInvalid": "密码不正确",
"setPasswordTitle": "设置密码", "setPasswordTitle": "密码已设置",
"changePasswordTitle": "修改密码", "changePasswordTitle": "密码已更改",
"removePasswordTitle": "密码已移除", "removePasswordTitle": "密码已移除",
"setPasswordToastDescription": "您的密码已经设定。请保管好它。", "setPasswordToastDescription": "您的密码已经设定。请保管好它。",
"changePasswordToastDescription": "您的密码已经设定。请保管好它。", "changePasswordToastDescription": "您的密码已经设定。请保管好它。",
"removePasswordToastDescription": "您已经删除了您的密码。", "removePasswordToastDescription": "您的密码已被移除",
"publicChatExists": "You are already connected to this community", "publicChatExists": "您已连接到此社群",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "无法加入社群",
"connectingToServer": "正在连接...", "connectingToServer": "正在连接...",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "成功连接到社群",
"setPasswordFail": "设置密码失败", "setPasswordFail": "设置密码失败",
"passwordLengthError": "密码长度必须在6到64个字符之间", "passwordLengthError": "密码长度必须在6到64个字符之间",
"passwordTypeError": "密码必须为字符串", "passwordTypeError": "密码必须为字符串",
@ -316,20 +320,20 @@
"editProfileModalTitle": "资料", "editProfileModalTitle": "资料",
"groupNamePlaceholder": "群组名称", "groupNamePlaceholder": "群组名称",
"inviteContacts": "邀请好友", "inviteContacts": "邀请好友",
"addModerators": "Add Admins", "addModerators": "添加管理员",
"removeModerators": "Remove Admins", "removeModerators": "移除管理员",
"addAsModerator": "Add as Admin", "addAsModerator": "添加为管理员:",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "从管理员中移除",
"add": "添加", "add": "添加",
"addingContacts": "将联系人添加到", "addingContacts": "将联系人添加到",
"noContactsToAdd": "没有联系人可供添加", "noContactsToAdd": "没有联系人可供添加",
"noMembersInThisGroup": "此群组没有成员。", "noMembersInThisGroup": "此群组没有成员。",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "没有管理员可删除",
"onlyAdminCanRemoveMembers": "你不是创建者", "onlyAdminCanRemoveMembers": "你不是创建者",
"onlyAdminCanRemoveMembersDesc": "只有群组的创建者可以移除用户", "onlyAdminCanRemoveMembersDesc": "只有群组的创建者可以移除用户",
"createAccount": "创建账号", "createAccount": "创建账号",
"startInTrayTitle": "保留在系统托盘", "startInTrayTitle": "保留在系统托盘",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "当您关闭窗口后Session会在后台继续运行.",
"yourUniqueSessionID": "向您的Session ID打个招呼吧", "yourUniqueSessionID": "向您的Session ID打个招呼吧",
"allUsersAreRandomly...": "您的Session ID是其他用户在与您聊天时使用的独一无二的地址。Session ID与您的真实身份无关它在设计上完全是匿名且私密的。", "allUsersAreRandomly...": "您的Session ID是其他用户在与您聊天时使用的独一无二的地址。Session ID与您的真实身份无关它在设计上完全是匿名且私密的。",
"getStarted": "开始使用", "getStarted": "开始使用",
@ -344,40 +348,43 @@
"linkDevice": "关联设备", "linkDevice": "关联设备",
"restoreUsingRecoveryPhrase": "恢复您的帐号", "restoreUsingRecoveryPhrase": "恢复您的帐号",
"or": "或者", "or": "或者",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "使用服务过程中,您同意并接受我们的 <a href=\"https://getsession.org/terms-of-service \">服务条款</a> 和 <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">隐私政策</a>",
"beginYourSession": "开始<您的会话。", "beginYourSession": "开始<您的会话。",
"welcomeToYourSession": "欢迎来到 Session 。", "welcomeToYourSession": "欢迎来到 Session 。",
"searchFor...": "Search conversations and contacts", "searchFor...": "搜索对话内容或联系人",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "搜索联系人",
"enterSessionID": "输入Session ID", "enterSessionID": "输入Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "输入您联系人的Session ID 或 ONS",
"message": "消息", "message": "消息",
"appearanceSettingsTitle": "外观", "appearanceSettingsTitle": "外观",
"privacySettingsTitle": "隐私", "privacySettingsTitle": "隐私",
"notificationsSettingsTitle": "通知", "notificationsSettingsTitle": "通知",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "通知内容",
"notificationPreview": "通知效果预览",
"recoveryPhraseEmpty": "输入您的恢复口令", "recoveryPhraseEmpty": "输入您的恢复口令",
"displayNameEmpty": "请设定一个名称", "displayNameEmpty": "请设定一个名称",
"displayNameTooLong": "Display name is too long",
"members": "$count$ 位成员", "members": "$count$ 位成员",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "加入",
"createGroup": "Create Group", "joinOpenGroup": "加入社群",
"create": "Create", "createGroup": "创建群组",
"create": "新建",
"createClosedGroupNamePrompt": "群组名称", "createClosedGroupNamePrompt": "群组名称",
"createClosedGroupPlaceholder": "输入群组名称", "createClosedGroupPlaceholder": "输入群组名称",
"openGroupURL": "Community URL", "openGroupURL": "社区 URL",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "输入社区 URL",
"next": "下一步", "next": "下一步",
"invalidGroupNameTooShort": "请输入群组名称", "invalidGroupNameTooShort": "请输入群组名称",
"invalidGroupNameTooLong": "请输入较短的群组名称", "invalidGroupNameTooLong": "请输入较短的群组名称",
"pickClosedGroupMember": "请选择至少一名群组成员", "pickClosedGroupMember": "请选择至少一名群组成员",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "私密群组成员不可超过 100 位",
"noBlockedContacts": "没有屏蔽的联系人", "noBlockedContacts": "您没有屏蔽任何联系人。",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "用户被添加到管理员列表",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "已从管理员列表中移除用户",
"orJoinOneOfThese": "或加入下列群组…...", "orJoinOneOfThese": "或加入下列群组…...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "翻译 Session",
"closedGroupInviteFailTitle": "群组邀请失败", "closedGroupInviteFailTitle": "群组邀请失败",
"closedGroupInviteFailTitlePlural": "群组邀请失败", "closedGroupInviteFailTitlePlural": "群组邀请失败",
"closedGroupInviteFailMessage": "无法成功邀请群组成员", "closedGroupInviteFailMessage": "无法成功邀请群组成员",
@ -385,7 +392,7 @@
"closedGroupInviteOkText": "重新邀请", "closedGroupInviteOkText": "重新邀请",
"closedGroupInviteSuccessTitlePlural": "群组邀请已完成", "closedGroupInviteSuccessTitlePlural": "群组邀请已完成",
"closedGroupInviteSuccessTitle": "群组邀请成功", "closedGroupInviteSuccessTitle": "群组邀请成功",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "成功邀请群组成员",
"notificationForConvo": "通知", "notificationForConvo": "通知",
"notificationForConvo_all": "全部", "notificationForConvo_all": "全部",
"notificationForConvo_disabled": "关闭", "notificationForConvo_disabled": "关闭",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "在浏览器中打开此链接?", "linkVisitWarningTitle": "在浏览器中打开此链接?",
"linkVisitWarningMessage": "您确定要在浏览器中打开 $url$ 吗?", "linkVisitWarningMessage": "您确定要在浏览器中打开 $url$ 吗?",
"open": "打开", "open": "打开",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "自动播放音频消息",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "自动播放连续音频消息。",
"clickToTrustContact": "点击下载文件", "clickToTrustContact": "点击下载文件",
"trustThisContactDialogTitle": "是否信任 $name$?", "trustThisContactDialogTitle": "是否信任 $name$?",
"trustThisContactDialogDescription": "您确定要下载$name$发送的媒体消息吗?", "trustThisContactDialogDescription": "您确定要下载$name$发送的媒体消息吗?",
"pinConversation": "置顶对话", "pinConversation": "置顶对话",
"unpinConversation": "取消置顶对话", "unpinConversation": "取消置顶对话",
"markUnread": "Mark Unread",
"showUserDetails": "显示用户信息", "showUserDetails": "显示用户信息",
"sendRecoveryPhraseTitle": "正在发送恢复口令", "sendRecoveryPhraseTitle": "正在发送恢复口令",
"sendRecoveryPhraseMessage": "您正在尝试发送恢复口令,它能用来登录和访问您的账号。\n您确定要发送该消息吗", "sendRecoveryPhraseMessage": "您正在尝试发送恢复口令,它能用来登录和访问您的账号。\n您确定要发送该消息吗",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "出现未知错误,数据删除失败。您想要仅在此设备中删除数据吗?", "dialogClearAllDataDeletionFailedDesc": "出现未知错误,数据删除失败。您想要仅在此设备中删除数据吗?",
"dialogClearAllDataDeletionFailedTitleQuestion": "仅在此设备中删除数据吗?", "dialogClearAllDataDeletionFailedTitleQuestion": "仅在此设备中删除数据吗?",
"dialogClearAllDataDeletionFailedMultiple": "数据删除失败。节点错误: $snodes$", "dialogClearAllDataDeletionFailedMultiple": "数据删除失败。节点错误: $snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "您想只清除此设备,还是也从网络中删除您的数据?",
"deviceOnly": "Clear Device Only", "clearDevice": "清除设备",
"entireAccount": "Clear Device and Network", "tryAgain": "重试",
"areYouSureClearDevice": "你确定要清除你的设备吗?",
"deviceOnly": "仅清除设备上的信息",
"entireAccount": "清除设备和网络上的数据",
"areYouSureDeleteDeviceOnly": "是否仅删除这台设备上的数据?", "areYouSureDeleteDeviceOnly": "是否仅删除这台设备上的数据?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "您确定要从网络中删除您的数据吗? 如果您继续,您将无法恢复您的消息或联系人。",
"iAmSure": "确认", "iAmSure": "确认",
"recoveryPhraseSecureTitle": "就快要完成了!", "recoveryPhraseSecureTitle": "就快要完成了!",
"recoveryPhraseRevealMessage": "通过发送恢复口令,保障您账号安全。展示恢复口令,并将其储存到安全的地方。", "recoveryPhraseRevealMessage": "通过发送恢复口令,保障您账号安全。展示恢复口令,并将其储存到安全的地方。",
"recoveryPhraseRevealButtonText": "展示恢复口令", "recoveryPhraseRevealButtonText": "展示恢复口令",
"notificationSubtitle": "通知设置 - $setting$", "notificationSubtitle": "通知设置 - $setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "感谢您的反馈。",
"faq": "FAQ", "faq": "常见问题(FAQ",
"support": "Support", "support": "帮助和支持",
"clearAll": "清除全部", "clearAll": "清除全部",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "清除数据",
"messageRequests": "消息请求", "messageRequests": "消息请求",
"requestsSubtitle": "待处理的请求", "requestsSubtitle": "待处理的请求",
"requestsPlaceholder": "无请求", "requestsPlaceholder": "无请求",
@ -438,8 +449,8 @@
"accept": "接受", "accept": "接受",
"decline": "拒绝", "decline": "拒绝",
"endCall": "结束呼叫", "endCall": "结束呼叫",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "权限",
"helpSettingsTitle": "Help", "helpSettingsTitle": "帮助",
"cameraPermissionNeededTitle": "需要语音/视频通话权限", "cameraPermissionNeededTitle": "需要语音/视频通话权限",
"cameraPermissionNeeded": "您可以在隐私设置中启用“语音和视频通话”权限。", "cameraPermissionNeeded": "您可以在隐私设置中启用“语音和视频通话”权限。",
"unableToCall": "请先取消您正在进行的通话", "unableToCall": "请先取消您正在进行的通话",
@ -449,12 +460,12 @@
"noCameraFound": "找不到摄像头", "noCameraFound": "找不到摄像头",
"noAudioInputFound": "找不到音频输入", "noAudioInputFound": "找不到音频输入",
"noAudioOutputFound": "找不到音频输出", "noAudioOutputFound": "找不到音频输出",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "语音和视频通话(Beta功能)",
"callMissedCausePermission": "未接听 '$name$',因为您需要在隐私设置中启用“语音和视频通话”权限。", "callMissedCausePermission": "未接听 '$name$',因为您需要在隐私设置中启用“语音和视频通话”权限。",
"callMissedNotApproved": "因为您尚未接受此对话,'$name$'的来电未接通。请先给联系人发送一条信息。", "callMissedNotApproved": "因为您尚未接受此对话,'$name$'的来电未接通。请先给联系人发送一条信息。",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "允许与其它用户进行语音和视频通话。",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "当使用测试中的呼叫功能时,您的 IP 地址对您的通话伙伴和一个 Oxen 基金会服务器可见。 您确定要启用语音和视频通话吗?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "语音和视频通话(Beta功能)",
"startedACall": "您呼叫了 $name$", "startedACall": "您呼叫了 $name$",
"answeredACall": "与 $name$ 通话", "answeredACall": "与 $name$ 通话",
"trimDatabase": "修整数据库", "trimDatabase": "修整数据库",
@ -468,25 +479,30 @@
"declineRequestMessage": "您确定要拒绝此消息请求吗?", "declineRequestMessage": "您确定要拒绝此消息请求吗?",
"respondingToRequestWarning": "发送消息给此用户将自动接受他们的消息请求并暴露您的账号。", "respondingToRequestWarning": "发送消息给此用户将自动接受他们的消息请求并暴露您的账号。",
"hideRequestBanner": "隐藏消息请求提示", "hideRequestBanner": "隐藏消息请求提示",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "消息请求",
"noMessageRequestsPending": "没有待处理的消息请求", "noMessageRequestsPending": "没有待处理的消息请求",
"noMediaUntilApproved": "在对话被接受前您不能发送附件", "noMediaUntilApproved": "在对话被接受前您不能发送附件",
"mustBeApproved": "此对话须被接受才可使用该功能", "mustBeApproved": "此对话须被接受才可使用该功能",
"youHaveANewFriendRequest": "您有一个新的好友申请", "youHaveANewFriendRequest": "您有一个新的好友申请",
"clearAllConfirmationTitle": "清除所有的消息请求", "clearAllConfirmationTitle": "清除所有的消息请求",
"clearAllConfirmationBody": "您确定要清除所有的消息请求吗?", "clearAllConfirmationBody": "您确定要清除所有的消息请求吗?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "隐藏消息提示", "hideBanner": "隐藏消息提示",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "查看消息请求信箱", "openMessageRequestInboxDescription": "查看消息请求信箱",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "您确定要清除所有 $emoji$ 吗?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "展示更少",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "用 $emoji$ 对一条消息作出表态。",
"otherSingular": "$number$ other", "rateLimitReactMessage": "慢点!您已经发送了太多的表情回应。请稍后再试。",
"otherPlural": "$number$ others", "otherSingular": "$number$ 个其他的人",
"reactionPopup": "reacted with", "otherPlural": "$number$ 个其他的人",
"reactionPopup": "回应",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$、$name2$ 与 $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$、$name2$、$name3$ 与",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "$otherSingular$ 对这消息回应 <span>$emoji$</span>",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "$otherPlural$ 对这消息回应 <span>$emoji$</span>"
} }

View File

@ -28,19 +28,19 @@
"viewMenuToggleFullScreen": "切換全螢幕", "viewMenuToggleFullScreen": "切換全螢幕",
"viewMenuToggleDevTools": "切換開發者工具", "viewMenuToggleDevTools": "切換開發者工具",
"contextMenuNoSuggestions": "沒有建議", "contextMenuNoSuggestions": "沒有建議",
"openGroupInvitation": "Community invitation", "openGroupInvitation": "社群邀請",
"joinOpenGroupAfterInvitationConfirmationTitle": "加入 $roomName$?", "joinOpenGroupAfterInvitationConfirmationTitle": "加入 $roomName$?",
"joinOpenGroupAfterInvitationConfirmationDesc": "Are you sure you want to join the $roomName$ community?", "joinOpenGroupAfterInvitationConfirmationDesc": "您確定要加入 $roomName$ 社群嗎?",
"couldntFindServerMatching": "Couldn't find the corresponding opengroup server", "couldntFindServerMatching": "Couldn't find the corresponding Community server",
"enterSessionIDOrONSName": "請輸入您的 ID 或 ONS 的名稱", "enterSessionIDOrONSName": "請輸入您的 ID 或 ONS 的名稱",
"startNewConversationBy...": "Start a new conversation by entering someone's Session ID or share your Session ID with them.", "startNewConversationBy...": "輸入他人的 Session ID 以展開新會話,或分享你的 Session ID 給對方。",
"loading": "載入中...", "loading": "載入中...",
"done": "完成", "done": "完成",
"youLeftTheGroup": "你已離開此群組", "youLeftTheGroup": "你已離開此群組",
"youGotKickedFromGroup": "您已從群組中移除", "youGotKickedFromGroup": "您已從群組中移除",
"unreadMessages": "未讀訊息", "unreadMessages": "未讀訊息",
"debugLogExplanation": "這個紀錄檔將儲存到桌面", "debugLogExplanation": "這個紀錄檔將儲存到桌面",
"reportIssue": "Report a Bug", "reportIssue": "回報錯誤",
"markAllAsRead": "全部標記為已讀", "markAllAsRead": "全部標記為已讀",
"incomingError": "在處理來訊時出現錯誤", "incomingError": "在處理來訊時出現錯誤",
"media": "媒體", "media": "媒體",
@ -62,8 +62,8 @@
"unableToLoadAttachment": "無法上傳所選附件。", "unableToLoadAttachment": "無法上傳所選附件。",
"offline": "離線", "offline": "離線",
"debugLog": "除錯日誌", "debugLog": "除錯日誌",
"showDebugLog": "Export Logs", "showDebugLog": "匯出記錄",
"shareBugDetails": "Export your logs, then upload the file though Session's Help Desk.", "shareBugDetails": "匯出你的 Log 日誌記錄,然後透過幫助服務台 Session's Help Desk 上傳日誌記錄。",
"goToReleaseNotes": "前往發行紀錄", "goToReleaseNotes": "前往發行紀錄",
"goToSupportPage": "前往支援頁面", "goToSupportPage": "前往支援頁面",
"about": "關於", "about": "關於",
@ -72,7 +72,7 @@
"noSearchResults": "無 \"$searchTerm$\" 的搜尋結果", "noSearchResults": "無 \"$searchTerm$\" 的搜尋結果",
"conversationsHeader": "聯絡人和群組", "conversationsHeader": "聯絡人和群組",
"contactsHeader": "聯絡人", "contactsHeader": "聯絡人",
"messagesHeader": "訊息", "messagesHeader": "Conversations",
"settingsHeader": "設定", "settingsHeader": "設定",
"typingAlt": "本次對話中輸入動畫", "typingAlt": "本次對話中輸入動畫",
"contactAvatarAlt": "聯絡人 $name$ 頭像圖示", "contactAvatarAlt": "聯絡人 $name$ 頭像圖示",
@ -100,6 +100,7 @@
"deleteMessagesQuestion": "您確定要刪除 $count$ 則訊息嗎?", "deleteMessagesQuestion": "您確定要刪除 $count$ 則訊息嗎?",
"deleteMessageQuestion": "刪除這則訊息", "deleteMessageQuestion": "刪除這則訊息",
"deleteMessages": "刪除訊息", "deleteMessages": "刪除訊息",
"deleteConversation": "Delete Conversation",
"deleted": "$count$ 已刪除", "deleted": "$count$ 已刪除",
"messageDeletedPlaceholder": "這則訊息已經刪除", "messageDeletedPlaceholder": "這則訊息已經刪除",
"from": "來自", "from": "來自",
@ -107,66 +108,67 @@
"sent": "已送出", "sent": "已送出",
"received": "已接收", "received": "已接收",
"sendMessage": "送出一則訊息", "sendMessage": "送出一則訊息",
"groupMembers": "群組成員", "groupMembers": "成員",
"moreInformation": "更多信息", "moreInformation": "更多信息",
"resend": "重傳", "resend": "重傳",
"deleteConversationConfirmation": "永久刪除對話?", "deleteConversationConfirmation": "永久刪除對話?",
"clear": "Clear", "clear": "清除",
"clearAllData": "清除所有資料", "clearAllData": "清除所有資料",
"deleteAccountWarning": "This will permanently delete your messages and contacts.", "deleteAccountWarning": "這樣做將永久刪除您的帳號、訊息及聯絡人。",
"deleteAccountFromLogin": "您確定要在這部裝置,移除這帳號嗎?",
"deleteContactConfirmation": "確定刪除此會話?", "deleteContactConfirmation": "確定刪除此會話?",
"quoteThumbnailAlt": "引用訊息的縮圖", "quoteThumbnailAlt": "引用訊息的縮圖",
"imageAttachmentAlt": "訊息裏插入的圖片", "imageAttachmentAlt": "訊息裏插入的圖片",
"videoAttachmentAlt": "伴隨訊息的影片截圖", "videoAttachmentAlt": "訊息中影片的截圖",
"lightboxImageAlt": "會話中送出的圖片", "lightboxImageAlt": "會話中送出的圖片",
"imageCaptionIconAlt": "圖標顯示此圖像有說明文字", "imageCaptionIconAlt": "圖標顯示此圖像有說明文字",
"addACaption": "加入一個標題...", "addACaption": "加入一個標題...",
"copySessionID": "複製Session ID", "copySessionID": "複製Session ID",
"copyOpenGroupURL": "複製群組 URL", "copyOpenGroupURL": "拷貝開放群組連結",
"save": "儲存", "save": "儲存",
"saveLogToDesktop": "儲存記錄檔到桌面", "saveLogToDesktop": "儲存記錄檔到桌面",
"saved": "已儲存", "saved": "已儲存",
"tookAScreenshot": "$name$ 擷取了螢幕畫面", "tookAScreenshot": "$name$ 擷取了螢幕畫面",
"savedTheFile": "$name$ 儲存了媒體", "savedTheFile": "$name$ 儲存了媒體",
"linkPreviewsTitle": "傳送連結預覽", "linkPreviewsTitle": "傳送連結預覽",
"linkPreviewDescription": "Show link previews for supported URLs.", "linkPreviewDescription": "生成連結預覽(需連結支持)。",
"linkPreviewsConfirmMessage": "您在傳送連結預覽時無法得到完整的元數據保護。", "linkPreviewsConfirmMessage": "您在傳送連結預覽時無法得到完整的元數據保護。",
"mediaPermissionsTitle": "麥克風", "mediaPermissionsTitle": "麥克風",
"mediaPermissionsDescription": "Allow access to microphone.", "mediaPermissionsDescription": "允許存取麥克風。",
"spellCheckTitle": "拼寫檢查", "spellCheckTitle": "拼寫檢查",
"spellCheckDescription": "Enable spell check when typing messages.", "spellCheckDescription": "輸入訊息時進行檢查拼寫",
"spellCheckDirty": "您必須重新啓動 Session 以應用您的新設定", "spellCheckDirty": "您必須重新啓動 Session 以應用您的新設定",
"readReceiptSettingDescription": "Send read receipts in one-to-one chats.", "readReceiptSettingDescription": "在一對一會話時發送以讀回執",
"readReceiptSettingTitle": "已讀回條", "readReceiptSettingTitle": "已讀回條",
"typingIndicatorsSettingDescription": "See and share typing indicators in one-to-one chats.", "typingIndicatorsSettingDescription": "一對一會話時查看他人及展示自己的鍵入狀態。",
"typingIndicatorsSettingTitle": "輸入狀態", "typingIndicatorsSettingTitle": "輸入狀態",
"zoomFactorSettingTitle": "縮放係數", "zoomFactorSettingTitle": "縮放係數",
"themesSettingTitle": "Themes", "themesSettingTitle": "主題",
"primaryColor": "Primary Color", "primaryColor": "主要色彩",
"primaryColorGreen": "Primary color green", "primaryColorGreen": "主要色彩:綠色",
"primaryColorBlue": "Primary color blue", "primaryColorBlue": "主要色彩:藍色",
"primaryColorYellow": "Primary color yellow", "primaryColorYellow": "主要色彩:黃色",
"primaryColorPink": "Primary color pink", "primaryColorPink": "主要色彩:粉色",
"primaryColorPurple": "Primary color purple", "primaryColorPurple": "主要色彩:紫色",
"primaryColorOrange": "Primary color orange", "primaryColorOrange": "主要色彩:橙色",
"primaryColorRed": "Primary color red", "primaryColorRed": "主要色彩:紅色",
"classicDarkThemeTitle": "Classic Dark", "classicDarkThemeTitle": "經典深色",
"classicLightThemeTitle": "Classic Light", "classicLightThemeTitle": "經典淺色",
"oceanDarkThemeTitle": "Ocean Dark", "oceanDarkThemeTitle": "海洋深色",
"oceanLightThemeTitle": "Ocean Light", "oceanLightThemeTitle": "海洋淺色",
"pruneSettingTitle": "Trim Communities", "pruneSettingTitle": "刪裁 Community 舊訊息",
"pruneSettingDescription": "Delete messages from Communities older than 6 months, and where there are over 2,000 messages.", "pruneSettingDescription": "如 Community 中有超過2000條訊息就刪除掉6個月前的舊訊息。",
"enable": "啟用", "enable": "啟用",
"keepDisabled": "保持停用", "keepDisabled": "保持停用",
"notificationSettingsDialog": "The information shown in notifications.", "notificationSettingsDialog": "在通知面板中展示的資訊。",
"nameAndMessage": "傳送者與訊息", "nameAndMessage": "名稱與訊息內容",
"noNameOrMessage": "沒有名稱與訊息", "noNameOrMessage": "沒有名稱與訊息",
"nameOnly": "只有傳送者的名稱", "nameOnly": "只有傳送者的名稱",
"newMessage": "新訊息", "newMessage": "新訊息",
"createConversationNewContact": "Create a conversation with a new contact", "createConversationNewContact": "與新聯絡人開始對話",
"createConversationNewGroup": "Create a group with existing contacts", "createConversationNewGroup": "與已知的聯絡人創建聊天群組",
"joinACommunity": "Join a community", "joinACommunity": "加入社群",
"chooseAnAction": "Choose an action to start a conversation", "chooseAnAction": "選擇一項以開始會話",
"newMessages": "新訊息", "newMessages": "新訊息",
"notificationMostRecentFrom": "最近來自:", "notificationMostRecentFrom": "最近來自:",
"notificationFrom": "來自:", "notificationFrom": "來自:",
@ -174,7 +176,7 @@
"sendFailed": "傳送失敗", "sendFailed": "傳送失敗",
"mediaMessage": "媒體訊息", "mediaMessage": "媒體訊息",
"messageBodyMissing": "請輸入訊息內容。", "messageBodyMissing": "請輸入訊息內容。",
"messageBody": "Message body", "messageBody": "訊息正文",
"unblockToSend": "解鎖聯絡人來傳送訊息。", "unblockToSend": "解鎖聯絡人來傳送訊息。",
"unblockGroupToSend": "解除此群組封鎖以傳送訊息。", "unblockGroupToSend": "解除此群組封鎖以傳送訊息。",
"youChangedTheTimer": "您設定訊息讀後焚毀的時間為 $time$", "youChangedTheTimer": "您設定訊息讀後焚毀的時間為 $time$",
@ -192,6 +194,7 @@
"timerOption_12_hours": "12 小時", "timerOption_12_hours": "12 小時",
"timerOption_1_day": "1 天", "timerOption_1_day": "1 天",
"timerOption_1_week": "1 週", "timerOption_1_week": "1 週",
"timerOption_2_weeks": "2 週",
"disappearingMessages": "自動銷毀訊息", "disappearingMessages": "自動銷毀訊息",
"changeNickname": "變更暱稱", "changeNickname": "變更暱稱",
"clearNickname": "Clear nickname", "clearNickname": "Clear nickname",
@ -209,18 +212,19 @@
"timerOption_12_hours_abbreviated": "12 小時", "timerOption_12_hours_abbreviated": "12 小時",
"timerOption_1_day_abbreviated": "1 天", "timerOption_1_day_abbreviated": "1 天",
"timerOption_1_week_abbreviated": "1 週", "timerOption_1_week_abbreviated": "1 週",
"timerOption_2_weeks_abbreviated": "2 週",
"disappearingMessagesDisabled": "關閉訊息讀後焚毀功能", "disappearingMessagesDisabled": "關閉訊息讀後焚毀功能",
"disabledDisappearingMessages": "$name$ 關閉訊息讀後焚毀功能", "disabledDisappearingMessages": "$name$ 關閉了閱後即焚。",
"youDisabledDisappearingMessages": "您關閉了訊息讀後焚毀功能", "youDisabledDisappearingMessages": "您關閉了訊息讀後焚毀功能",
"timerSetTo": "計時器設定為 $time$", "timerSetTo": "計時器設定為 $time$",
"noteToSelf": "給自己的筆記", "noteToSelf": "給自己的筆記",
"hideMenuBarTitle": "隱藏選單列", "hideMenuBarTitle": "隱藏選單列",
"hideMenuBarDescription": "Toggle system menu bar visibility.", "hideMenuBarDescription": "切換系統選單列可見性。",
"startConversation": "開始新的對話...", "startConversation": "開始新的對話...",
"invalidNumberError": "無效號碼", "invalidNumberError": "請檢查 Session ID 或 ONS然後再試一次。",
"failedResolveOns": "無法解析 ONS 名稱", "failedResolveOns": "無法解析 ONS 名稱",
"autoUpdateSettingTitle": "自動更新", "autoUpdateSettingTitle": "自動更新",
"autoUpdateSettingDescription": "Automatically check for updates on startup.", "autoUpdateSettingDescription": "啟動時自動檢查更新。",
"autoUpdateNewVersionTitle": "Session 可用的更新", "autoUpdateNewVersionTitle": "Session 可用的更新",
"autoUpdateNewVersionMessage": "這是新版本的 Session", "autoUpdateNewVersionMessage": "這是新版本的 Session",
"autoUpdateNewVersionInstructions": "點選重啟 Session 來套用更新。", "autoUpdateNewVersionInstructions": "點選重啟 Session 來套用更新。",
@ -237,12 +241,12 @@
"multipleJoinedTheGroup": "$names$ 已加入群組。", "multipleJoinedTheGroup": "$names$ 已加入群組。",
"kickedFromTheGroup": "$name$ 已被移出群組。", "kickedFromTheGroup": "$name$ 已被移出群組。",
"multipleKickedFromTheGroup": "$name$ 已被移出群組。", "multipleKickedFromTheGroup": "$name$ 已被移出群組。",
"blockUser": "封鎖", "block": "Block",
"unblockUser": "解除封鎖", "unblock": "Unblock",
"unblocked": "解除封鎖", "unblocked": "解除封鎖",
"blocked": "已封鎖", "blocked": "已封鎖",
"blockedSettingsTitle": "Blocked Contacts", "blockedSettingsTitle": "已封鎖的聯絡人",
"conversationsSettingsTitle": "Conversations", "conversationsSettingsTitle": "對話",
"unbanUser": "解除封鎖用戶", "unbanUser": "解除封鎖用戶",
"userUnbanned": "已解除封鎖用戶", "userUnbanned": "已解除封鎖用戶",
"userUnbanFailed": "解除封鎖失敗!", "userUnbanFailed": "解除封鎖失敗!",
@ -251,14 +255,14 @@
"userBanned": "User banned successfully", "userBanned": "User banned successfully",
"userBanFailed": "封鎖失敗!", "userBanFailed": "封鎖失敗!",
"leaveGroup": "離開群組", "leaveGroup": "離開群組",
"leaveAndRemoveForEveryone": "Leave Group and Remove for Everyone", "leaveAndRemoveForEveryone": "離開群組並為所有人移除",
"leaveGroupConfirmation": "您確定要離開此群組?", "leaveGroupConfirmation": "您確定要離開此群組?",
"leaveGroupConfirmationAdmin": "您確定要離開這個群組嗎?", "leaveGroupConfirmationAdmin": "您確定要離開這個群組嗎?",
"cannotRemoveCreatorFromGroup": "不能移除該用戶", "cannotRemoveCreatorFromGroup": "不能移除該用戶",
"cannotRemoveCreatorFromGroupDesc": "您不能從群組中移除群組創建者。", "cannotRemoveCreatorFromGroupDesc": "您不能從群組中移除群組創建者。",
"noContactsForGroup": "您尚未添加聯絡人", "noContactsForGroup": "您尚未添加聯絡人",
"failedToAddAsModerator": "Failed to add user as admin", "failedToAddAsModerator": "無法設定使用者為管理者",
"failedToRemoveFromModerator": "Failed to remove user from the admin list", "failedToRemoveFromModerator": "無法將使用者從管理員清單中移除",
"copyMessage": "複製訊息文字", "copyMessage": "複製訊息文字",
"selectMessage": "選取訊息", "selectMessage": "選取訊息",
"editGroup": "編輯群組", "editGroup": "編輯群組",
@ -266,28 +270,28 @@
"updateGroupDialogTitle": "更新 $name$...", "updateGroupDialogTitle": "更新 $name$...",
"showRecoveryPhrase": "回復用字句", "showRecoveryPhrase": "回復用字句",
"yourSessionID": "您的 Session ID", "yourSessionID": "您的 Session ID",
"setAccountPasswordTitle": "設置賬戶密碼", "setAccountPasswordTitle": "密碼",
"setAccountPasswordDescription": "Require password to unlock Session.", "setAccountPasswordDescription": "需要密碼才能解鎖 Session。",
"changeAccountPasswordTitle": "改帳戶密碼", "changeAccountPasswordTitle": "更密碼",
"changeAccountPasswordDescription": "Change the password required to unlock Session.", "changeAccountPasswordDescription": "更改解鎖 Session 的密碼。",
"removeAccountPasswordTitle": "移除帳戶密碼", "removeAccountPasswordTitle": "移除密碼",
"removeAccountPasswordDescription": "Remove the password required to unlock Session.", "removeAccountPasswordDescription": "去除解鎖 Session 的密碼。",
"enterPassword": "請輸入您的密碼", "enterPassword": "請輸入您的密碼",
"confirmPassword": "確認密碼", "confirmPassword": "確認密碼",
"enterNewPassword": "Please enter your new password", "enterNewPassword": "請輸入您的新密碼",
"confirmNewPassword": "Confirm new password", "confirmNewPassword": "確認新密碼",
"showRecoveryPhrasePasswordRequest": "請輸入您的密碼", "showRecoveryPhrasePasswordRequest": "請輸入您的密碼",
"recoveryPhraseSavePromptMain": "當您遺失裝置時您的回復用字句是用來找回您的Session ID的主要資訊。請儲存好您的Session ID在一個安全的地方不要給任何人。", "recoveryPhraseSavePromptMain": "當您遺失裝置時您的回復用字句是用來找回您的Session ID的主要資訊。請儲存好您的Session ID在一個安全的地方不要給任何人。",
"invalidOpenGroupUrl": "無效 URL", "invalidOpenGroupUrl": "無效 URL",
"copiedToClipboard": "已複製到剪貼簿", "copiedToClipboard": "已拷貝",
"passwordViewTitle": "Enter Password", "passwordViewTitle": "輸入密碼",
"password": "密碼", "password": "密碼",
"setPassword": "設定密碼", "setPassword": "設定密碼",
"changePassword": "變更密碼", "changePassword": "變更密碼",
"createPassword": "Create your password", "createPassword": "建立您的密碼",
"removePassword": "移除密碼", "removePassword": "移除密碼",
"maxPasswordAttempts": "錯誤的密碼。您要重設資料庫嗎?", "maxPasswordAttempts": "錯誤的密碼。您要重設資料庫嗎?",
"typeInOldPassword": "Please enter your current password", "typeInOldPassword": "請輸入您目前的密碼",
"invalidOldPassword": "舊密碼錯誤", "invalidOldPassword": "舊密碼錯誤",
"invalidPassword": "密碼錯誤", "invalidPassword": "密碼錯誤",
"noGivenPassword": "請輸入您的密碼", "noGivenPassword": "請輸入您的密碼",
@ -295,16 +299,16 @@
"setPasswordInvalid": "密碼不一致", "setPasswordInvalid": "密碼不一致",
"changePasswordInvalid": "您輸入的舊密碼錯誤", "changePasswordInvalid": "您輸入的舊密碼錯誤",
"removePasswordInvalid": "密碼錯誤", "removePasswordInvalid": "密碼錯誤",
"setPasswordTitle": "設定密碼", "setPasswordTitle": "設定密碼",
"changePasswordTitle": "變更密碼", "changePasswordTitle": "密碼已變更",
"removePasswordTitle": "移除密碼", "removePasswordTitle": "密碼已移除",
"setPasswordToastDescription": "您的密碼設定完成。請保持安全。", "setPasswordToastDescription": "您的密碼設定完成。請保持安全。",
"changePasswordToastDescription": "您的密碼變更完成。請保持安全", "changePasswordToastDescription": "您的密碼變更完成。請保持安全",
"removePasswordToastDescription": "您的密碼移除。", "removePasswordToastDescription": "已移除密碼。",
"publicChatExists": "You are already connected to this community", "publicChatExists": "您已連接到此 Community.",
"connectToServerFail": "Couldn't join community", "connectToServerFail": "無法加入 Community",
"connectingToServer": "連線中", "connectingToServer": "連線中",
"connectToServerSuccess": "Successfully connected to community", "connectToServerSuccess": "成功連接到此 Community",
"setPasswordFail": "設定密碼失敗", "setPasswordFail": "設定密碼失敗",
"passwordLengthError": "密碼必須介於6到64個字元之間。", "passwordLengthError": "密碼必須介於6到64個字元之間。",
"passwordTypeError": "密碼必須是一個字元", "passwordTypeError": "密碼必須是一個字元",
@ -316,20 +320,20 @@
"editProfileModalTitle": "個人檔案", "editProfileModalTitle": "個人檔案",
"groupNamePlaceholder": "群組名稱", "groupNamePlaceholder": "群組名稱",
"inviteContacts": "邀請聯絡人", "inviteContacts": "邀請聯絡人",
"addModerators": "Add Admins", "addModerators": "新增管理員",
"removeModerators": "Remove Admins", "removeModerators": "移除管理員",
"addAsModerator": "Add as Admin", "addAsModerator": "新增為管理員",
"removeFromModerators": "Remove From Admins", "removeFromModerators": "從管理員中移除",
"add": "新增", "add": "新增",
"addingContacts": "新增聯絡人到\n$name$", "addingContacts": "新增聯絡人到\n$name$",
"noContactsToAdd": "沒有要新增的聯絡人", "noContactsToAdd": "沒有要新增的聯絡人",
"noMembersInThisGroup": "這個群組沒有其他成員", "noMembersInThisGroup": "這個群組沒有其他成員",
"noModeratorsToRemove": "no admins to remove", "noModeratorsToRemove": "沒有可移除的管理者",
"onlyAdminCanRemoveMembers": "您不是建立者", "onlyAdminCanRemoveMembers": "您不是建立者",
"onlyAdminCanRemoveMembersDesc": "只有這個群組的建立者可以移除成員", "onlyAdminCanRemoveMembersDesc": "只有這個群組的建立者可以移除成員",
"createAccount": "Create Account", "createAccount": "Create Account",
"startInTrayTitle": "保持在系統的通知區域", "startInTrayTitle": "保持在系統的通知區域",
"startInTrayDescription": "Keep Session running in the background when you close the window.", "startInTrayDescription": "Session 視窗關閉時Session 仍在後台運行。",
"yourUniqueSessionID": "迎接您新的Session ID", "yourUniqueSessionID": "迎接您新的Session ID",
"allUsersAreRandomly...": "您的Session ID是您唯一的聯絡資訊他人可以聯絡您不會連結到您的真實個人資訊您的Session ID是完全匿名且私密的。", "allUsersAreRandomly...": "您的Session ID是您唯一的聯絡資訊他人可以聯絡您不會連結到您的真實個人資訊您的Session ID是完全匿名且私密的。",
"getStarted": "開始", "getStarted": "開始",
@ -344,40 +348,43 @@
"linkDevice": "連結裝置", "linkDevice": "連結裝置",
"restoreUsingRecoveryPhrase": "恢復您的帳戶", "restoreUsingRecoveryPhrase": "恢復您的帳戶",
"or": "或", "or": "或",
"ByUsingThisService...": "By using this service, you agree to our <a href=\"https://getsession.org/terms-of-service \">Terms of Service</a> and <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\">Privacy Policy</a>", "ByUsingThisService...": "若使用此服務,表示您同意 <a href=\"https://getsession.org/terms-of-service \"> 服務條款 </a> 及 <a href=\"https://getsession.org/privacy-policy\" target=\"_blank\"> 隱私條款 </a>",
"beginYourSession": "開始您的 Session。", "beginYourSession": "開始您的 Session。",
"welcomeToYourSession": "歡迎來到您的 Session。", "welcomeToYourSession": "歡迎來到您的 Session。",
"searchFor...": "Search conversations and contacts", "searchFor...": "搜尋對話或聯絡人",
"searchForContactsOnly": "Search for contacts", "searchForContactsOnly": "搜尋聯絡人",
"enterSessionID": "輸入 Session ID", "enterSessionID": "輸入 Session ID",
"enterSessionIDOfRecipient": "Enter your contact's Session ID or ONS", "enterSessionIDOfRecipient": "輸入聯絡人的 Session ID 或其 ONS",
"message": "訊息", "message": "訊息",
"appearanceSettingsTitle": "外觀", "appearanceSettingsTitle": "外觀",
"privacySettingsTitle": "隱私權", "privacySettingsTitle": "隱私權",
"notificationsSettingsTitle": "通知", "notificationsSettingsTitle": "通知",
"notificationsSettingsContent": "Notification Content", "audioNotificationsSettingsTitle": "Audio Notifications",
"notificationPreview": "Preview", "notificationsSettingsContent": "通知內容",
"notificationPreview": "預覽",
"recoveryPhraseEmpty": "輸入您的回復用字句", "recoveryPhraseEmpty": "輸入您的回復用字句",
"displayNameEmpty": "Please pick a display name", "displayNameEmpty": "Please pick a display name",
"displayNameTooLong": "Display name is too long",
"members": "$count$ 成員", "members": "$count$ 成員",
"join": "Join", "activeMembers": "$count$ active members",
"joinOpenGroup": "Join Community", "join": "加入",
"createGroup": "Create Group", "joinOpenGroup": "加入社群",
"create": "Create", "createGroup": "建立群組",
"create": "建立",
"createClosedGroupNamePrompt": "群組名稱", "createClosedGroupNamePrompt": "群組名稱",
"createClosedGroupPlaceholder": "輸入一個群組名稱", "createClosedGroupPlaceholder": "輸入一個群組名稱",
"openGroupURL": "Community URL", "openGroupURL": "社群 URL",
"enterAnOpenGroupURL": "Enter Community URL", "enterAnOpenGroupURL": "輸入社群 URL",
"next": "下一步", "next": "下一步",
"invalidGroupNameTooShort": "請輸入一個群組名稱", "invalidGroupNameTooShort": "請輸入一個群組名稱",
"invalidGroupNameTooLong": "請輸入一個較短的群組名稱", "invalidGroupNameTooLong": "請輸入一個較短的群組名稱",
"pickClosedGroupMember": "請選擇至少一個群組成員", "pickClosedGroupMember": "請選擇至少一個群組成員",
"closedGroupMaxSize": "A group cannot have more than 100 members", "closedGroupMaxSize": "一個群組不能超過 100 位成員",
"noBlockedContacts": "沒有封鎖的聯絡人", "noBlockedContacts": "沒有封鎖的聯絡人",
"userAddedToModerators": "User added to admin list", "userAddedToModerators": "使用者已新增至管理員清單",
"userRemovedFromModerators": "User removed from admin list", "userRemovedFromModerators": "使用者已從管理員清單移除",
"orJoinOneOfThese": "或加入這些...", "orJoinOneOfThese": "或加入這些...",
"helpUsTranslateSession": "Translate Session", "helpUsTranslateSession": "翻譯 Session",
"closedGroupInviteFailTitle": "群組邀請失敗", "closedGroupInviteFailTitle": "群組邀請失敗",
"closedGroupInviteFailTitlePlural": "群組邀請失敗", "closedGroupInviteFailTitlePlural": "群組邀請失敗",
"closedGroupInviteFailMessage": "無法成功邀請一個群組成員", "closedGroupInviteFailMessage": "無法成功邀請一個群組成員",
@ -385,13 +392,13 @@
"closedGroupInviteOkText": "重試邀請", "closedGroupInviteOkText": "重試邀請",
"closedGroupInviteSuccessTitlePlural": "群組邀請完成", "closedGroupInviteSuccessTitlePlural": "群組邀請完成",
"closedGroupInviteSuccessTitle": "群組邀請成功", "closedGroupInviteSuccessTitle": "群組邀請成功",
"closedGroupInviteSuccessMessage": "Successfully invited group members", "closedGroupInviteSuccessMessage": "成功邀請 Group 成員",
"notificationForConvo": "通知", "notificationForConvo": "通知",
"notificationForConvo_all": "全部", "notificationForConvo_all": "全部",
"notificationForConvo_disabled": "已關閉", "notificationForConvo_disabled": "已關閉",
"notificationForConvo_mentions_only": "只有提及", "notificationForConvo_mentions_only": "只有提及",
"onionPathIndicatorTitle": "目錄", "onionPathIndicatorTitle": "目錄",
"onionPathIndicatorDescription": "Session hides your IP by bouncing your messages through several Service Nodes in Session's decentralized network. These are the countries your connection is currently being bounced through:", "onionPathIndicatorDescription": "Session 將您傳送的訊息經由 Session 的去中心化網絡做多重的路徑與節點傳輸以隱藏您的 IP這些是您現在傳送訊息將經過的節點服務所設立之國家。",
"unknownCountry": "不明的國家", "unknownCountry": "不明的國家",
"device": "裝置", "device": "裝置",
"destination": "目標位置", "destination": "目標位置",
@ -399,13 +406,14 @@
"linkVisitWarningTitle": "使用瀏覽器開啟這個連結", "linkVisitWarningTitle": "使用瀏覽器開啟這個連結",
"linkVisitWarningMessage": "您確定要使用瀏覽器開啟 $url$ 嗎?", "linkVisitWarningMessage": "您確定要使用瀏覽器開啟 $url$ 嗎?",
"open": "開啟", "open": "開啟",
"audioMessageAutoplayTitle": "Autoplay Audio Messages", "audioMessageAutoplayTitle": "自動播放語音訊息",
"audioMessageAutoplayDescription": "Autoplay consecutive audio messages.", "audioMessageAutoplayDescription": "自動連續播放語音訊息",
"clickToTrustContact": "點擊下載媒體", "clickToTrustContact": "點擊下載媒體",
"trustThisContactDialogTitle": "性任\n$name$?", "trustThisContactDialogTitle": "性任\n$name$?",
"trustThisContactDialogDescription": "您確定要下載從$name$傳送的媒體嗎?", "trustThisContactDialogDescription": "您確定要下載從$name$傳送的媒體嗎?",
"pinConversation": "置頂對話", "pinConversation": "置頂對話",
"unpinConversation": "取消置頂", "unpinConversation": "取消置頂",
"markUnread": "Mark Unread",
"showUserDetails": "顯示使用者詳細資料", "showUserDetails": "顯示使用者詳細資料",
"sendRecoveryPhraseTitle": "正在傳送回復用字句", "sendRecoveryPhraseTitle": "正在傳送回復用字句",
"sendRecoveryPhraseMessage": "您將傳送用來恢復您帳戶的回復用字句,您確定要傳送這個訊息嗎?", "sendRecoveryPhraseMessage": "您將傳送用來恢復您帳戶的回復用字句,您確定要傳送這個訊息嗎?",
@ -413,21 +421,24 @@
"dialogClearAllDataDeletionFailedDesc": "發生不明錯誤,資料未完全刪除。您要只從這個裝置刪除訊息嗎?", "dialogClearAllDataDeletionFailedDesc": "發生不明錯誤,資料未完全刪除。您要只從這個裝置刪除訊息嗎?",
"dialogClearAllDataDeletionFailedTitleQuestion": "您要只從這個裝置刪除訊息嗎?", "dialogClearAllDataDeletionFailedTitleQuestion": "您要只從這個裝置刪除訊息嗎?",
"dialogClearAllDataDeletionFailedMultiple": "資料未在這些服務中刪除\n$snodes$", "dialogClearAllDataDeletionFailedMultiple": "資料未在這些服務中刪除\n$snodes$",
"dialogClearAllDataDeletionQuestion": "Would you like to clear this device only, or delete your data from the network as well?", "dialogClearAllDataDeletionQuestion": "您要僅清除此設備上的帳號,或要同時刪除網絡中您的資料?",
"deviceOnly": "Clear Device Only", "clearDevice": "清除此設備儲存的的帳號資訊",
"entireAccount": "Clear Device and Network", "tryAgain": "再試一次",
"areYouSureClearDevice": "您確定要在這部裝置,移除儲存的帳號資料嗎?",
"deviceOnly": "清除此設備儲存的的帳號資訊",
"entireAccount": "完全刪除帳號和設備儲存的帳號資訊",
"areYouSureDeleteDeviceOnly": "您確定要只刪除這個裝置的資料嗎?", "areYouSureDeleteDeviceOnly": "您確定要只刪除這個裝置的資料嗎?",
"areYouSureDeleteEntireAccount": "Are you sure you want to delete your data from the network? If you continue, you will not be able to restore your messages or contacts.", "areYouSureDeleteEntireAccount": "確定要完全刪除網絡中的資料嗎?這樣您將無法恢復訊息和聯絡人。",
"iAmSure": "我確認", "iAmSure": "我確認",
"recoveryPhraseSecureTitle": "您幾乎完成了!", "recoveryPhraseSecureTitle": "您幾乎完成了!",
"recoveryPhraseRevealMessage": "透過儲存你的復原片語,你的帳戶將保持安全。顯示你的復原片語並將其記錄下來以保持安全。", "recoveryPhraseRevealMessage": "透過儲存你的復原片語,你的帳戶將保持安全。顯示你的復原片語並將其記錄下來以保持安全。",
"recoveryPhraseRevealButtonText": "顯示復原片語", "recoveryPhraseRevealButtonText": "顯示復原片語",
"notificationSubtitle": "通知\n$setting$", "notificationSubtitle": "通知\n$setting$",
"surveyTitle": "We'd Love Your Feedback", "surveyTitle": "我們樂意聽見您的寶貴意見",
"faq": "FAQ", "faq": "常見問題",
"support": "Support", "support": "支援",
"clearAll": "全部清除", "clearAll": "全部清除",
"clearDataSettingsTitle": "Clear Data", "clearDataSettingsTitle": "清除資料",
"messageRequests": "訊息請求", "messageRequests": "訊息請求",
"requestsSubtitle": "等待中的請求", "requestsSubtitle": "等待中的請求",
"requestsPlaceholder": "沒有請求", "requestsPlaceholder": "沒有請求",
@ -438,8 +449,8 @@
"accept": "接受", "accept": "接受",
"decline": "拒絕", "decline": "拒絕",
"endCall": "結束通話", "endCall": "結束通話",
"permissionsSettingsTitle": "Permissions", "permissionsSettingsTitle": "權限",
"helpSettingsTitle": "Help", "helpSettingsTitle": "說明",
"cameraPermissionNeededTitle": "語音/視訊通話需要權限", "cameraPermissionNeededTitle": "語音/視訊通話需要權限",
"cameraPermissionNeeded": "您可以從隱私權設定中開啟語音和視訊通話的權限", "cameraPermissionNeeded": "您可以從隱私權設定中開啟語音和視訊通話的權限",
"unableToCall": "請先取消正在撥打的來電", "unableToCall": "請先取消正在撥打的來電",
@ -449,12 +460,12 @@
"noCameraFound": "未找到相機", "noCameraFound": "未找到相機",
"noAudioInputFound": "未找到音訊輸入裝置", "noAudioInputFound": "未找到音訊輸入裝置",
"noAudioOutputFound": "未找到音訊輸出裝置", "noAudioOutputFound": "未找到音訊輸出裝置",
"callMediaPermissionsTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsTitle": "語音和視訊通話 (測試版)",
"callMissedCausePermission": "來自 $name$ 的未接來電,您必須從隱私權設定開啟語音和視訊通話的權限。", "callMissedCausePermission": "來自 $name$ 的未接來電,您必須從隱私權設定開啟語音和視訊通話的權限。",
"callMissedNotApproved": "來自 $name$ 的未接來電,您尚未接受這個對話,請先傳送一則訊息給對方。", "callMissedNotApproved": "來自 $name$ 的未接來電,您尚未接受這個對話,請先傳送一則訊息給對方。",
"callMediaPermissionsDescription": "Enables voice and video calls to and from other users.", "callMediaPermissionsDescription": "啟用語音通話和視像通話功能",
"callMediaPermissionsDialogContent": "Your IP is visible to your call partner and an Oxen Foundation server while using beta calls. Are you sure you want to enable Voice and Video Calls?", "callMediaPermissionsDialogContent": "使用測試版通話功能,會使您的 IP 地址可見於通話對方,及 Oxen Foundation 的伺服器。您是否確定要啟用語音通話和視像通話功能?",
"callMediaPermissionsDialogTitle": "Voice and Video Calls (Beta)", "callMediaPermissionsDialogTitle": "語音和視訊通話 (測試版)",
"startedACall": "您撥打給\n$name$", "startedACall": "您撥打給\n$name$",
"answeredACall": "撥打給\n$name$", "answeredACall": "撥打給\n$name$",
"trimDatabase": "修剪資料庫", "trimDatabase": "修剪資料庫",
@ -466,27 +477,32 @@
"messageRequestAcceptedOurs": "您已接受\n$name$ 的訊息請求", "messageRequestAcceptedOurs": "您已接受\n$name$ 的訊息請求",
"messageRequestAcceptedOursNoName": "您已接受訊息請求", "messageRequestAcceptedOursNoName": "您已接受訊息請求",
"declineRequestMessage": "您確定要拒絕這則訊息請求嗎?", "declineRequestMessage": "您確定要拒絕這則訊息請求嗎?",
"respondingToRequestWarning": "Sending a message to this user will automatically accept their message request and reveal your Session ID.", "respondingToRequestWarning": "傳送訊息給這位使用者將自動接受他們的訊息要求並顯示您的 Session ID",
"hideRequestBanner": "隱藏訊息請求橫幅", "hideRequestBanner": "隱藏訊息請求橫幅",
"openMessageRequestInbox": "Message Requests", "openMessageRequestInbox": "訊息要求",
"noMessageRequestsPending": "沒有正在等待的訊息請求", "noMessageRequestsPending": "沒有正在等待的訊息請求",
"noMediaUntilApproved": "您無法傳送附件直到對話被接受", "noMediaUntilApproved": "您無法傳送附件直到對話被接受",
"mustBeApproved": "This conversation must be accepted to use this feature", "mustBeApproved": "此會話必須接受才可使用該功能",
"youHaveANewFriendRequest": "您有一個新的好友請求", "youHaveANewFriendRequest": "您有一個新的好友請求",
"clearAllConfirmationTitle": "清除所有訊息請求", "clearAllConfirmationTitle": "清除所有訊息請求",
"clearAllConfirmationBody": "您確定要清除所有訊息請求嗎?", "clearAllConfirmationBody": "您確定要清除所有訊息請求嗎?",
"noMessagesInReadOnly": "There are no messages in <b>$name$</b>.",
"noMessagesInNoteToSelf": "You have no messages in <b>$name$</b>.",
"noMessagesInEverythingElse": "You have no messages from <b>$name$</b>. Send a message to start the conversation!",
"hideBanner": "隱藏", "hideBanner": "隱藏",
"someOfYourDeviceUseOutdatedVersion": "Some of your devices are using outdated versions. Syncing may be unreliable until they are updated.",
"openMessageRequestInboxDescription": "檢視訊息要求收件匣", "openMessageRequestInboxDescription": "檢視訊息要求收件匣",
"clearAllReactions": "Are you sure you want to clear all $emoji$ ?", "clearAllReactions": "您確定要清除所有 $emoji$ 嗎?",
"expandedReactionsText": "Show Less", "expandedReactionsText": "顯示更少",
"reactionNotification": "Reacts to a message with $emoji$", "reactionNotification": "回應 $emoji$ 於此訊息",
"otherSingular": "$number$ other", "rateLimitReactMessage": "請慢些!您發了太多 Emoji 回應,請稍等再試。",
"otherPlural": "$number$ others", "otherSingular": "$number$ 其他",
"reactionPopup": "reacted with", "otherPlural": "$number$ 其他",
"reactionPopup": "回應",
"reactionPopupOne": "$name$", "reactionPopupOne": "$name$",
"reactionPopupTwo": "$name$ & $name2$", "reactionPopupTwo": "$name$ $name2$",
"reactionPopupThree": "$name$, $name2$ & $name3$", "reactionPopupThree": "$name$、$name2$ 與 $name3$",
"reactionPopupMany": "$name$, $name2$, $name3$ &", "reactionPopupMany": "$name$、$name2$、$name3$ 與",
"reactionListCountSingular": "And $otherSingular$ has reacted <span>$emoji$</span> to this message", "reactionListCountSingular": "$otherSingular$ 對此訊息回應 <span>$emoji$</span>",
"reactionListCountPlural": "And $otherPlural$ have reacted <span>$emoji$</span> to this message" "reactionListCountPlural": "$otherPlural$ 也對此訊息回應了<span>$emoji$</span>"
} }

View File

@ -1,3 +1,4 @@
/* eslint-disable @typescript-eslint/no-var-requires */
/* global window */ /* global window */
const { ipcRenderer } = require('electron'); const { ipcRenderer } = require('electron');

View File

@ -1,2 +0,0 @@
// because grunt.cmd is totally flakey on windows
require('grunt').cli();

View File

@ -1,4 +1,4 @@
const { notarize } = require('electron-notarize'); const { notarize } = require('@electron/notarize');
/* /*
Pre-requisites: https://github.com/electron/electron-notarize#prerequisites Pre-requisites: https://github.com/electron/electron-notarize#prerequisites

View File

@ -0,0 +1,34 @@
var fs = require('fs');
var _ = require('lodash');
var execSync = require('child_process').execSync;
const updateLocalConfig = () => {
var environment = process.env.SIGNAL_ENV || 'production';
var configPath = `config/local-${environment}.json`;
var localConfig;
var hash = '';
try {
// this was tested on windows, linux and macOS builds through the CI and works fine, but might require to make git available in the PATH when building unofficial builds.
// this is used to udpate the hash of the commit in the UI at the bottom of the settings screen, and in the about view
var stdout = execSync('git rev-parse HEAD').toString();
console.info('"git rev-parse HEAD" result: ', stdout && stdout.trim());
if (!_.isEmpty(stdout)) {
hash = stdout.trim();
}
var rawdata = fs.readFileSync(configPath);
localConfig = JSON.parse(rawdata);
} catch (e) {
console.error('updateLocalConfig failed with', e.message);
}
localConfig = {
...localConfig,
commitHash: hash,
};
var toWrite = `${JSON.stringify(localConfig)}\n`;
fs.writeFileSync(configPath, toWrite);
};
updateLocalConfig();

View File

@ -1,4 +1,5 @@
/* global window */ /* global window */
/* eslint-disable @typescript-eslint/no-var-requires */
const { ipcRenderer } = require('electron'); const { ipcRenderer } = require('electron');
const url = require('url'); const url = require('url');

View File

@ -0,0 +1,39 @@
/* eslint-disable @typescript-eslint/no-var-requires */
const path = require('path');
module.exports = {
entry: './ts/webworker/workers/node/libsession/libsession.worker.ts',
node: {
__dirname: false,
},
module: {
rules: [
{
test: /\.tsx?$/,
use: 'ts-loader',
exclude: /node_modules/,
},
{
test: /\.node$/,
loader: 'node-loader',
},
],
},
resolve: {
extensions: ['.ts', '.js'],
fallback: {
crypto: false,
path: false,
fs: false,
stream: false,
},
},
output: {
filename: 'libsession.worker.js',
path: path.resolve(__dirname, 'ts', 'webworker', 'workers', 'node', 'libsession'),
},
target: 'node',
optimization: {
minimize: true,
},
};

View File

@ -2,7 +2,7 @@
"name": "session-desktop", "name": "session-desktop",
"productName": "Session", "productName": "Session",
"description": "Private messaging from your desktop", "description": "Private messaging from your desktop",
"version": "1.10.8", "version": "1.11.0",
"license": "GPL-3.0", "license": "GPL-3.0",
"author": { "author": {
"name": "Oxen Labs", "name": "Oxen Labs",
@ -13,21 +13,6 @@
"url": "https://github.com/oxen-io/session-desktop.git" "url": "https://github.com/oxen-io/session-desktop.git"
}, },
"main": "ts/mains/main_node.js", "main": "ts/mains/main_node.js",
"targets": {
"sass": {
"source": "stylesheets/manifest.scss",
"distDir": "stylesheets/dist/",
"optimize": true,
"sourceMap": true
},
"util-worker": {
"source": "ts/webworker/workers/util.worker.ts",
"distDir": "./ts/webworker/workers/",
"optimize": true,
"sourceMap": false,
"context": "web-worker"
}
},
"resolutions": { "resolutions": {
"minimist": "^1.2.6", "minimist": "^1.2.6",
"getobject": "^1.0.0", "getobject": "^1.0.0",
@ -37,7 +22,6 @@
"lodash": "^4.17.20", "lodash": "^4.17.20",
"ini": "^1.3.6", "ini": "^1.3.6",
"ejs": "^3.1.7", "ejs": "^3.1.7",
"electron": "^17.2.0",
"react": "17.0.2", "react": "17.0.2",
"@types/react": "17.0.2", "@types/react": "17.0.2",
"glob-parent": "^6.0.1", "glob-parent": "^6.0.1",
@ -45,39 +29,33 @@
"jpeg-js": "^0.4.4", "jpeg-js": "^0.4.4",
"json5": "^2.2.2", "json5": "^2.2.2",
"loader-utils": "^2.0.4", "loader-utils": "^2.0.4",
"http-cache-semantics": "^4.1.1",
"terser": "^5.14.2", "terser": "^5.14.2",
"minimatch": "^3.0.5" "minimatch": "^3.0.5"
}, },
"scripts": { "scripts": {
"start-prod": "cross-env NODE_ENV=production NODE_APP_INSTANCE=devprod$MULTI electron .", "start-prod": "cross-env NODE_ENV=production NODE_APP_INSTANCE=devprod$MULTI electron .",
"start-dev": "cross-env NODE_ENV=development NODE_APP_INSTANCE=devprod$MULTI electron .",
"build-everything": "yarn clean && yarn protobuf && grunt && yarn sass && tsc && yarn parcel-util-worker", "build-everything": "yarn clean && yarn protobuf && yarn update-git-info && yarn sass && tsc && yarn build:workers",
"build-everything:watch": "yarn clean && yarn protobuf && grunt && yarn sass && yarn parcel-util-worker && tsc -w", "build-everything:watch": "yarn clean && yarn protobuf && yarn update-git-info && yarn sass && yarn build:workers && tsc -w",
"watch": "yarn clean && yarn protobuf && grunt && concurrently 'yarn build-everything:watch' 'yarn sass:watch'", "build:workers": "yarn worker:utils && yarn worker:libsession",
"watch": "yarn clean && yarn protobuf && yarn update-git-info && yarn build-everything:watch",
"protobuf": "pbjs --target static-module --wrap commonjs --out ts/protobuf/compiled.js protos/*.proto && pbts --out ts/protobuf/compiled.d.ts ts/protobuf/compiled.js --force-long", "protobuf": "pbjs --target static-module --wrap commonjs --out ts/protobuf/compiled.js protos/*.proto && pbts --out ts/protobuf/compiled.d.ts ts/protobuf/compiled.js --force-long",
"sass": "rimraf 'stylesheets/dist/' && parcel build --target sass --no-autoinstall --no-cache", "sass": "rimraf 'stylesheets/dist/' && webpack --config=./sass.config.js",
"sass:watch": "rimraf 'stylesheets/dist/' && parcel watch --target sass --no-autoinstall --no-cache",
"parcel-util-worker": "rimraf ts/webworker/workers/util.worker.js && parcel build --target util-worker --no-autoinstall --no-cache",
"clean": "rimraf 'ts/**/*.js' 'ts/*.js' 'ts/*.js.map' 'ts/**/*.js.map' && rimraf tsconfig.tsbuildinfo;", "clean": "rimraf 'ts/**/*.js' 'ts/*.js' 'ts/*.js.map' 'ts/**/*.js.map' && rimraf tsconfig.tsbuildinfo;",
"lint-full": "yarn format-full && eslint .",
"lint-full": "yarn format-full && eslint . && tslint --format stylish --project .",
"format-full": "prettier --list-different --write \"*.{css,js,json,scss,ts,tsx}\" \"./**/*.{css,js,json,scss,ts,tsx}\"", "format-full": "prettier --list-different --write \"*.{css,js,json,scss,ts,tsx}\" \"./**/*.{css,js,json,scss,ts,tsx}\"",
"integration-test": "npx playwright test", "integration-test": "npx playwright test",
"start-prod-test": "cross-env NODE_ENV=production NODE_APP_INSTANCE=$MULTI electron .", "start-prod-test": "cross-env NODE_ENV=production NODE_APP_INSTANCE=$MULTI electron .",
"integration-test-snapshots": "npx playwright test -g 'profile picture' --update-snapshots", "integration-test-snapshots": "npx playwright test -g 'profile picture' --update-snapshots",
"test": "mocha -r jsdom-global/register --recursive --exit --timeout 10000 \"./ts/test/**/*_test.js\"", "test": "mocha -r jsdom-global/register --recursive --exit --timeout 10000 \"./ts/test/**/*_test.js\"",
"coverage": "nyc --reporter=html mocha -r jsdom-global/register --recursive --exit --timeout 10000 \"./ts/test/**/*_test.js\"",
"build-release": "run-script-os", "build-release": "run-script-os",
"build-release-non-linux": "yarn build-everything && cross-env SIGNAL_ENV=production electron-builder --config.extraMetadata.environment=production --publish=never --config.directories.output=release", "build-release-non-linux": "yarn build-everything && cross-env SIGNAL_ENV=production electron-builder --config.extraMetadata.environment=production --publish=never --config.directories.output=release",
"build-release:win32": "yarn build-release-non-linux", "build-release:win32": "yarn build-release-non-linux",
"build-release:macos": "yarn build-release-non-linux", "build-release:macos": "yarn build-release-non-linux",
"build-release:linux": "yarn sedtoDeb; yarn build-release-non-linux && yarn sedtoAppImage && yarn build-release-non-linux && yarn sedtoDeb", "build-release:linux": "yarn sedtoDeb; yarn build-release-non-linux && yarn sedtoAppImage && yarn build-release-non-linux && yarn sedtoDeb",
"build-release-publish": "run-script-os", "build-release-publish": "run-script-os",
"build-release-publish-non-linux": "cross-env SIGNAL_ENV=production $(yarn bin)/electron-builder --config.extraMetadata.environment=$SIGNAL_ENV --publish=always", "build-release-publish-non-linux": "yarn build-everything && cross-env SIGNAL_ENV=production $(yarn bin)/electron-builder --config.extraMetadata.environment=$SIGNAL_ENV --publish=always",
"build-release-publish:win32": "yarn build-release-publish-non-linux", "build-release-publish:win32": "yarn build-release-publish-non-linux",
"build-release-publish:macos": "yarn build-release-publish-non-linux", "build-release-publish:macos": "yarn build-release-publish-non-linux",
"build-release-publish:linux": "yarn sedtoDeb; yarn build-release-publish-non-linux && yarn sedtoAppImage && yarn build-release-publish-non-linux && yarn sedtoDeb", "build-release-publish:linux": "yarn sedtoDeb; yarn build-release-publish-non-linux && yarn sedtoAppImage && yarn build-release-publish-non-linux && yarn sedtoDeb",
@ -85,69 +63,64 @@
"sedtoAppImage": "sed -i 's/\"target\": \\[\"deb\", \"rpm\", \"freebsd\"\\]/\"target\": \"AppImage\"/g' package.json", "sedtoAppImage": "sed -i 's/\"target\": \\[\"deb\", \"rpm\", \"freebsd\"\\]/\"target\": \"AppImage\"/g' package.json",
"sedtoDeb": "sed -i 's/\"target\": \"AppImage\"/\"target\": \\[\"deb\", \"rpm\", \"freebsd\"\\]/g' package.json", "sedtoDeb": "sed -i 's/\"target\": \"AppImage\"/\"target\": \\[\"deb\", \"rpm\", \"freebsd\"\\]/g' package.json",
"ready": "yarn build-everything && yarn lint-full && yarn test", "ready": "yarn build-everything && yarn lint-full && yarn test",
"postinstall": "yarn patch-package && yarn electron-builder install-app-deps && yarn rebuild-curve25519-js", "postinstall": "yarn patch-package && yarn electron-builder install-app-deps",
"rebuild-curve25519-js": "cd node_modules/curve25519-js && yarn install && yarn build && cd ../../" "update-git-info": "node ./build/updateLocalConfig.js",
"worker:utils": "webpack --config=./utils.worker.config.js",
"worker:libsession": "rimraf 'ts/webworker/workers/node/libsession/*.node' && webpack --config=./libsession.worker.config.js"
}, },
"dependencies": { "dependencies": {
"@emoji-mart/data": "^1.0.6", "@emoji-mart/data": "^1.1.2",
"@emoji-mart/react": "^1.0.1", "@emoji-mart/react": "^1.1.1",
"@reduxjs/toolkit": "1.8.5", "@reduxjs/toolkit": "1.8.5",
"@signalapp/better-sqlite3": "^8.4.3",
"@types/react-mentions": "^4.1.8",
"abort-controller": "3.0.0", "abort-controller": "3.0.0",
"auto-bind": "^4.0.0", "auto-bind": "^4.0.0",
"backbone": "1.3.3", "backbone": "1.3.3",
"better-sqlite3": "https://github.com/oxen-io/session-better-sqlite3#af47530acea25800d22b5e1ae834b709d2bfca40",
"blob-util": "2.0.2", "blob-util": "2.0.2",
"blueimp-canvas-to-blob": "^3.29.0",
"blueimp-load-image": "5.14.0", "blueimp-load-image": "5.14.0",
"buffer-crc32": "0.2.13", "buffer-crc32": "0.2.13",
"bunyan": "^1.8.15", "bunyan": "^1.8.15",
"bytebuffer": "^5.0.1", "bytebuffer": "^5.0.1",
"classnames": "2.2.5", "classnames": "2.2.5",
"color": "^3.1.2",
"config": "1.28.1", "config": "1.28.1",
"country-code-lookup": "^0.0.19", "country-code-lookup": "^0.0.19",
"curve25519-js": "https://github.com/oxen-io/curve25519-js", "curve25519-js": "https://github.com/oxen-io/curve25519-js",
"dompurify": "^2.0.7", "dompurify": "^2.0.7",
"electron-is-dev": "^1.1.0",
"electron-localshortcut": "^3.2.1", "electron-localshortcut": "^3.2.1",
"electron-updater": "^4.2.2", "electron-updater": "^4.2.2",
"emoji-mart": "^5.2.2", "emoji-mart": "^5.5.2",
"filesize": "3.6.1", "filesize": "3.6.1",
"firstline": "1.2.1", "firstline": "1.2.1",
"fs-extra": "9.0.0", "fs-extra": "9.0.0",
"glob": "7.1.2", "glob": "7.1.2",
"image-type": "^4.1.0", "image-type": "^4.1.0",
"ip2country": "1.0.1", "ip2country": "1.0.1",
"jsbn": "1.1.0", "libsession_util_nodejs": "https://github.com/oxen-io/libsession-util-nodejs/releases/download/v0.2.5/libsession_util_nodejs-v0.2.5.tar.gz",
"libsodium-wrappers-sumo": "^0.7.9", "libsodium-wrappers-sumo": "^0.7.9",
"linkify-it": "^4.0.1", "linkify-it": "^4.0.1",
"lodash": "^4.17.20", "lodash": "^4.17.21",
"long": "^4.0.0", "long": "^4.0.0",
"mic-recorder-to-mp3": "^2.2.2", "mic-recorder-to-mp3": "^2.2.2",
"minimist": "^1.2.6",
"moment": "^2.29.4", "moment": "^2.29.4",
"mustache": "2.3.0",
"nan": "2.14.2",
"node-fetch": "^2.6.7", "node-fetch": "^2.6.7",
"os-locale": "5.0.0", "os-locale": "5.0.0",
"p-retry": "^4.2.0", "p-retry": "^4.2.0",
"pify": "3.0.0", "pify": "3.0.0",
"protobufjs": "^6.11.2", "protobufjs": "^7.2.4",
"queue-promise": "^2.2.1", "rc-slider": "^10.2.1",
"rc-slider": "^8.7.1",
"react": "^17.0.2", "react": "^17.0.2",
"react-contexify": "5.0.0", "react-contexify": "5.0.0",
"react-dom": "^17.0.2", "react-dom": "^17.0.2",
"react-draggable": "^4.4.4", "react-draggable": "^4.4.4",
"react-h5-audio-player": "^3.2.0", "react-h5-audio-player": "^3.2.0",
"react-intersection-observer": "^8.30.3", "react-intersection-observer": "^8.30.3",
"react-mentions": "^4.2.0", "react-mentions": "^4.4.9",
"react-portal": "^4.2.0",
"react-qr-svg": "^2.2.1", "react-qr-svg": "^2.2.1",
"react-redux": "8.0.4", "react-redux": "8.0.4",
"react-toastify": "^6.0.9", "react-toastify": "^6.0.9",
"react-use": "^17.2.1", "react-use": "^17.4.0",
"react-virtualized": "9.22.3", "react-virtualized": "^9.22.4",
"read-last-lines-ts": "^1.2.1", "read-last-lines-ts": "^1.2.1",
"redux": "4.2.0", "redux": "4.2.0",
"redux-logger": "3.0.6", "redux-logger": "3.0.6",
@ -155,15 +128,15 @@
"redux-promise-middleware": "^6.1.2", "redux-promise-middleware": "^6.1.2",
"rimraf": "2.6.2", "rimraf": "2.6.2",
"sanitize.css": "^12.0.1", "sanitize.css": "^12.0.1",
"semver": "5.4.1", "semver": "^7.5.4",
"styled-components": "5.1.1", "styled-components": "5.1.1",
"uuid": "8.3.2" "uuid": "8.3.2",
"webrtc-adapter": "^4.1.1"
}, },
"devDependencies": { "devDependencies": {
"@parcel/transformer-sass": "^2.8.3", "@electron/notarize": "^2.1.0",
"@playwright/test": "1.16.3", "@playwright/test": "1.16.3",
"@types/backbone": "1.4.2", "@types/backbone": "1.4.2",
"@types/better-sqlite3": "7.4.0",
"@types/blueimp-load-image": "5.14.4", "@types/blueimp-load-image": "5.14.4",
"@types/buffer-crc32": "^0.2.0", "@types/buffer-crc32": "^0.2.0",
"@types/bunyan": "^1.8.8", "@types/bunyan": "^1.8.8",
@ -171,27 +144,20 @@
"@types/chai": "4.2.18", "@types/chai": "4.2.18",
"@types/chai-as-promised": "^7.1.2", "@types/chai-as-promised": "^7.1.2",
"@types/classnames": "2.2.3", "@types/classnames": "2.2.3",
"@types/color": "^3.0.0",
"@types/config": "0.0.34", "@types/config": "0.0.34",
"@types/dompurify": "^2.0.0", "@types/dompurify": "^2.0.0",
"@types/electron-localshortcut": "^3.1.0", "@types/electron-localshortcut": "^3.1.0",
"@types/emoji-mart": "3.0.9",
"@types/filesize": "3.6.0", "@types/filesize": "3.6.0",
"@types/firstline": "^2.0.2", "@types/firstline": "^2.0.2",
"@types/fs-extra": "5.0.5", "@types/fs-extra": "5.0.5",
"@types/libsodium-wrappers-sumo": "^0.7.5", "@types/libsodium-wrappers-sumo": "^0.7.5",
"@types/linkify-it": "^3.0.2", "@types/linkify-it": "^3.0.2",
"@types/lodash": "4.14.106", "@types/lodash": "^4.14.194",
"@types/mocha": "5.0.0", "@types/mocha": "5.0.0",
"@types/mustache": "^4.1.2",
"@types/node-fetch": "^2.5.7", "@types/node-fetch": "^2.5.7",
"@types/pify": "3.0.2", "@types/pify": "3.0.2",
"@types/rc-slider": "^8.6.5",
"@types/react": "^17.0.2", "@types/react": "^17.0.2",
"@types/react-dom": "^17.0.2", "@types/react-dom": "^17.0.2",
"@types/react-mentions": "^4.1.1",
"@types/react-mic": "^12.4.1",
"@types/react-portal": "^4.0.2",
"@types/react-redux": "^7.1.24", "@types/react-redux": "^7.1.24",
"@types/react-virtualized": "9.18.12", "@types/react-virtualized": "9.18.12",
"@types/redux-logger": "3.0.7", "@types/redux-logger": "3.0.7",
@ -200,58 +166,46 @@
"@types/sinon": "9.0.4", "@types/sinon": "9.0.4",
"@types/styled-components": "^5.1.4", "@types/styled-components": "^5.1.4",
"@types/uuid": "8.3.4", "@types/uuid": "8.3.4",
"asar": "3.1.0", "@typescript-eslint/eslint-plugin": "^6.1.0",
"buffer": "^6.0.3", "@typescript-eslint/parser": "^6.1.0",
"chai": "^4.3.4", "chai": "^4.3.4",
"chai-as-promised": "^7.1.1", "chai-as-promised": "^7.1.1",
"chai-bytes": "^0.1.2", "chai-bytes": "^0.1.2",
"concurrently": "^7.4.0",
"cross-env": "^6.0.3", "cross-env": "^6.0.3",
"crypto-browserify": "^3.12.0", "css-loader": "^6.7.2",
"dmg-builder": "23.6.0", "dmg-builder": "23.6.0",
"electron": "^17.2.0", "electron": "25.3.0",
"electron-builder": "22.8.0", "electron-builder": "23.0.8",
"electron-notarize": "^0.2.0", "eslint": "^8.45.0",
"esbuild": "^0.14.29",
"eslint": "^8.15.0",
"eslint-config-airbnb-base": "^15.0.0", "eslint-config-airbnb-base": "^15.0.0",
"eslint-config-prettier": "^8.5.0", "eslint-config-prettier": "^8.8.0",
"eslint-plugin-import": "^2.26.0", "eslint-plugin-import": "^2.27.5",
"eslint-plugin-mocha": "^10.0.4", "eslint-plugin-mocha": "^10.1.0",
"eslint-plugin-more": "^1.0.5", "eslint-plugin-more": "^1.0.5",
"eslint-plugin-react": "^7.33.0",
"eslint-plugin-react-hooks": "^4.6.0",
"events": "^3.3.0", "events": "^3.3.0",
"grunt": "1.5.3", "jsdom": "^22.1.0",
"grunt-cli": "1.4.3",
"grunt-contrib-concat": "2.1.0",
"grunt-contrib-copy": "1.0.0",
"grunt-contrib-watch": "1.1.0",
"grunt-exec": "3.0.0",
"grunt-gitinfo": "0.1.9",
"jsdom": "^19.0.0",
"jsdom-global": "^3.0.2", "jsdom-global": "^3.0.2",
"mini-css-extract-plugin": "^2.7.5",
"mocha": "10.0.0", "mocha": "10.0.0",
"node-gyp": "9.0.0",
"node-loader": "^2.0.0", "node-loader": "^2.0.0",
"nyc": "^15.1.0",
"parcel": "^2.8.3",
"patch-package": "^6.4.7", "patch-package": "^6.4.7",
"path-browserify": "^1.0.1",
"playwright": "1.16.3", "playwright": "1.16.3",
"postinstall-prepare": "^1.0.1", "postinstall-prepare": "^1.0.1",
"prettier": "1.19.0", "prettier": "1.19.0",
"process": "^0.11.10", "protobufjs-cli": "^1.1.1",
"run-script-os": "^1.1.6", "run-script-os": "^1.1.6",
"sass": "^1.60.0",
"sass-loader": "^13.2.2",
"sinon": "9.0.2", "sinon": "9.0.2",
"stream-browserify": "^3.0.0", "ts-loader": "^9.4.2",
"ts-loader": "^9.2.8", "typescript": "^5.1.6",
"ts-mock-imports": "^1.3.0", "webpack": "^5.76.3",
"tslint": "5.19.0", "webpack-cli": "^5.1.4"
"tslint-microsoft-contrib": "6.0.0",
"tslint-react": "3.6.0",
"typescript": "^4.6.3"
}, },
"engines": { "engines": {
"node": "16.13.0" "node": "18.15.0"
}, },
"build": { "build": {
"appId": "com.loki-project.messenger-desktop", "appId": "com.loki-project.messenger-desktop",
@ -265,7 +219,10 @@
"mac": { "mac": {
"category": "public.app-category.social-networking", "category": "public.app-category.social-networking",
"icon": "build/icon-mac.icns", "icon": "build/icon-mac.icns",
"target": ["dmg", "zip"], "target": [
"dmg",
"zip"
],
"bundleVersion": "1", "bundleVersion": "1",
"hardenedRuntime": true, "hardenedRuntime": true,
"gatekeeperAssess": false, "gatekeeperAssess": false,
@ -303,7 +260,9 @@
"icon": "build/icon-linux.icns" "icon": "build/icon-linux.icns"
}, },
"asarUnpack": [ "asarUnpack": [
"node_modules/better-sqlite3/build/Release/better_sqlite3.node", "node_modules/@signalapp/better-sqlite3/build/Release/better_sqlite3.node",
"node_modules/libsession_util_nodejs/build/Release/libsession_util_nodejs.node",
"ts/webworker/workers/node/libsession/*.node",
"ts/mains/main_node.js" "ts/mains/main_node.js"
], ],
"deb": { "deb": {
@ -370,6 +329,7 @@
"!**/*.ts", "!**/*.ts",
"node_modules/spellchecker/build/Release/*.node", "node_modules/spellchecker/build/Release/*.node",
"node_modules/websocket/build/Release/*.node", "node_modules/websocket/build/Release/*.node",
"node_modules/libsession_util_nodejs/build/Release/*.node",
"node_modules/socks/build/*.js", "node_modules/socks/build/*.js",
"node_modules/socks/build/common/*.js", "node_modules/socks/build/common/*.js",
"node_modules/socks/build/client/*.js", "node_modules/socks/build/client/*.js",
@ -379,9 +339,13 @@
"!build/*.js", "!build/*.js",
"build/afterPackHook.js", "build/afterPackHook.js",
"build/launcher-script.sh", "build/launcher-script.sh",
"!node_modules/better-sqlite3/deps/*", "!node_modules/@signalapp/better-sqlite3/deps/*",
"!node_modules/better-sqlite3/src/*", "!node_modules/@signalapp/better-sqlite3/src/*",
"node_modules/better-sqlite3/build/Release/better_sqlite3.node", "!node_modules/@signalapp/better-sqlite3/build/Release/obj/*",
"node_modules/@signalapp/better-sqlite3/build/Release/better_sqlite3.node",
"!node_modules/libsession_util_nodejs/libsession-util/*",
"!node_modules/libsession_util_nodejs/src/*",
"ts/webworker/workers/node/libsession/*.node",
"!dev-app-update.yml" "!dev-app-update.yml"
] ]
} }

View File

@ -1,4 +1,5 @@
/* global window */ /* global window */
/* eslint-disable @typescript-eslint/no-var-requires */
const { ipcRenderer } = require('electron'); const { ipcRenderer } = require('electron');
const url = require('url'); const url = require('url');
@ -20,14 +21,6 @@ window.getEnvironment = () => config.environment;
window.getVersion = () => config.version; window.getVersion = () => config.version;
window.getAppInstance = () => config.appInstance; window.getAppInstance = () => config.appInstance;
const { SessionPasswordPrompt } = require('./ts/components/SessionPasswordPrompt');
window.Signal = {
Components: {
SessionPasswordPrompt,
},
};
window.clearLocalData = async () => { window.clearLocalData = async () => {
window.log.info('reset database'); window.log.info('reset database');
ipcRenderer.send('resetDatabase'); ipcRenderer.send('resetDatabase');

View File

@ -1,13 +0,0 @@
diff --git a/node_modules/component-classes/index.js b/node_modules/component-classes/index.js
index eb9d292..752ebf2 100644
--- a/node_modules/component-classes/index.js
+++ b/node_modules/component-classes/index.js
@@ -3,7 +3,7 @@
*/
try {
- var index = require('indexof');
+ // var index = require('indexof');
} catch (err) {
var index = require('component-indexof');
}

View File

@ -1,4 +1,5 @@
// tslint:disable-next-line: no-implicit-dependencies /* eslint-disable import/no-extraneous-dependencies */
/* eslint-disable import/no-import-module-exports */
import { PlaywrightTestConfig } from '@playwright/test'; import { PlaywrightTestConfig } from '@playwright/test';
import { toNumber } from 'lodash'; import { toNumber } from 'lodash';
@ -9,8 +10,10 @@ const config: PlaywrightTestConfig = {
testDir: './ts/test/automation', testDir: './ts/test/automation',
testIgnore: '*.js', testIgnore: '*.js',
outputDir: './ts/test/automation/test-results', outputDir: './ts/test/automation/test-results',
retries: 1, retries: process.env.PLAYWRIGHT_RETRIES_COUNT
repeatEach: 1, ? toNumber(process.env.PLAYWRIGHT_RETRIES_COUNT)
: 1,
workers: toNumber(process.env.PLAYWRIGHT_WORKER_COUNT) || 1, workers: toNumber(process.env.PLAYWRIGHT_WORKER_COUNT) || 1,
reportSlowTests: null, reportSlowTests: null,
}; };

View File

@ -1,8 +1,11 @@
// eslint:disable: no-require-imports no-var-requires
const { clipboard, ipcRenderer, webFrame } = require('electron/main'); const { clipboard, ipcRenderer, webFrame } = require('electron/main');
const { Storage } = require('./ts/util/storage'); const { Storage } = require('./ts/util/storage');
const url = require('url'); const url = require('url');
const _ = require('lodash');
const config = url.parse(window.location.toString(), true).query; const config = url.parse(window.location.toString(), true).query;
const configAny = config; const configAny = config;
@ -13,7 +16,6 @@ if (config.environment !== 'production') {
if (config.appInstance) { if (config.appInstance) {
title += ` - ${config.appInstance}`; title += ` - ${config.appInstance}`;
} }
// tslint:disable: no-require-imports no-var-requires
window.platform = process.platform; window.platform = process.platform;
window.getTitle = () => title; window.getTitle = () => title;
@ -29,8 +31,10 @@ window.sessionFeatureFlags = {
useTestNet: Boolean( useTestNet: Boolean(
process.env.NODE_APP_INSTANCE && process.env.NODE_APP_INSTANCE.includes('testnet') process.env.NODE_APP_INSTANCE && process.env.NODE_APP_INSTANCE.includes('testnet')
), ),
useSettingsThemeSwitcher: true, useClosedGroupV3: false || process.env.USE_CLOSED_GROUP_V3,
debug: { debug: {
debugLogging: !_.isEmpty(process.env.SESSION_DEBUG),
debugLibsessionDumps: !_.isEmpty(process.env.SESSION_DEBUG_LIBSESSION_DUMPS),
debugFileServerRequests: false, debugFileServerRequests: false,
debugNonSnodeRequests: false, debugNonSnodeRequests: false,
debugOnionRequests: false, debugOnionRequests: false,
@ -236,7 +240,6 @@ const { getConversationController } = require('./ts/session/conversations/Conver
window.getConversationController = getConversationController; window.getConversationController = getConversationController;
// Linux seems to periodically let the event loop stop, so this is a global workaround // Linux seems to periodically let the event loop stop, so this is a global workaround
setInterval(() => { setInterval(() => {
// tslint:disable-next-line: no-empty
window.nodeSetImmediate(() => {}); window.nodeSetImmediate(() => {});
}, 1000); }, 1000);

View File

@ -1,4 +1,5 @@
package signalservice; package signalservice;
syntax = "proto2";
message Envelope { message Envelope {
@ -21,27 +22,38 @@ message TypingMessage {
STARTED = 0; STARTED = 0;
STOPPED = 1; STOPPED = 1;
} }
// @required
required uint64 timestamp = 1; required uint64 timestamp = 1;
// @required
required Action action = 2; required Action action = 2;
} }
message Unsend { message Unsend {
// @required
required uint64 timestamp = 1; required uint64 timestamp = 1;
// @required
required string author = 2; required string author = 2;
} }
message MessageRequestResponse { message MessageRequestResponse {
// @required
required bool isApproved = 1; required bool isApproved = 1;
optional bytes profileKey = 2; optional bytes profileKey = 2;
optional DataMessage.LokiProfile profile = 3; optional DataMessage.LokiProfile profile = 3;
} }
message SharedConfigMessage {
enum Kind {
USER_PROFILE = 1;
CONTACTS = 2;
CONVO_INFO_VOLATILE = 3;
USER_GROUPS = 4;
// CLOSED_GROUP_INFO = 5;
// CLOSED_GROUP_MEMBERS = 6;
// ENCRYPTION_KEYS = 7;
}
required Kind kind = 1;
required int64 seqno = 2;
required bytes data = 3;
}
message Content { message Content {
optional DataMessage dataMessage = 1; optional DataMessage dataMessage = 1;
optional CallMessage callMessage = 3; optional CallMessage callMessage = 3;
@ -51,6 +63,7 @@ message Content {
optional DataExtractionNotification dataExtractionNotification = 8; optional DataExtractionNotification dataExtractionNotification = 8;
optional Unsend unsendMessage = 9; optional Unsend unsendMessage = 9;
optional MessageRequestResponse messageRequestResponse = 10; optional MessageRequestResponse messageRequestResponse = 10;
optional SharedConfigMessage sharedConfigMessage = 11;
} }
message KeyPair { message KeyPair {
@ -72,6 +85,43 @@ message DataExtractionNotification {
optional uint64 timestamp = 2; optional uint64 timestamp = 2;
} }
// message GroupInviteMessage {
// required string name = 1;
// required bytes memberPrivateKey = 2;
// }
// this will replace our closedGroupControlMessage but we will need to keep both for some time
// message GroupMessage {
// optional GroupAdminMessage adminMessage = 31;
// optional GroupMemberLeftMessage memberLeftMessage = 32;
// optional GroupInviteMessage inviteMessage = 33;
// optional GroupPromoteMessage promoteMessage = 34;
// }
// message GroupPromoteMessage {
// required bytes privateKey = 1; // this is the group admins key
// }
// message GroupAdminMessage {
// enum Type {
// DELETE_GROUP = 1; // members, groupSignature
// DELETE_GROUP_ALL_MEMBERS = 2; // groupSignature
// DELETE_MESSAGES_ALL_MEMBERS = 3; // groupSignature
// DELETE_ATTACHMENTS_ALL_MEMBERS = 4; // groupSignature
// }
//
// // @required
// required Type type = 1;
// repeated bytes members = 2;
// @required
// required bytes groupSignature = 3; // used by every members to make sure incoming admin action can be trusted
// }
// message GroupMemberLeftMessage {
// the pubkey of the member who left is already in the senderIdentity
// }
message DataMessage { message DataMessage {
enum Flags { enum Flags {
@ -129,35 +179,35 @@ message DataMessage {
message ClosedGroupControlMessage { message ClosedGroupControlMessage {
enum Type { enum Type {
NEW = 1; // publicKey, name, encryptionKeyPair, members, admins, expireTimer NEW = 1;
ENCRYPTION_KEY_PAIR = 3; // publicKey, wrappers ENCRYPTION_KEY_PAIR = 3;
NAME_CHANGE = 4; // name NAME_CHANGE = 4;
MEMBERS_ADDED = 5; // members MEMBERS_ADDED = 5;
MEMBERS_REMOVED = 6; // members MEMBERS_REMOVED = 6;
MEMBER_LEFT = 7; MEMBER_LEFT = 7;
ENCRYPTION_KEY_PAIR_REQUEST = 8; ENCRYPTION_KEY_PAIR_REQUEST = 8;
} }
message KeyPairWrapper {
// @required
required bytes publicKey = 1; // The public key of the user the key pair is meant for
// @required
required bytes encryptedKeyPair = 2; // The encrypted key pair
}
message KeyPairWrapper { // @required
// @required required Type type = 1;
required bytes publicKey = 1; // The public key of the user the key pair is meant for optional bytes publicKey = 2;
// @required optional string name = 3;
required bytes encryptedKeyPair = 2; // The encrypted key pair optional KeyPair encryptionKeyPair = 4;
} repeated bytes members = 5;
repeated bytes admins = 6;
// @required repeated KeyPairWrapper wrappers = 7;
required Type type = 1;
optional bytes publicKey = 2;
optional string name = 3;
optional KeyPair encryptionKeyPair = 4;
repeated bytes members = 5;
repeated bytes admins = 6;
repeated KeyPairWrapper wrappers = 7;
optional uint32 expireTimer = 8; optional uint32 expireTimer = 8;
} }
optional string body = 1; optional string body = 1;
@ -174,6 +224,7 @@ message DataMessage {
optional OpenGroupInvitation openGroupInvitation = 102; optional OpenGroupInvitation openGroupInvitation = 102;
optional ClosedGroupControlMessage closedGroupControlMessage = 104; optional ClosedGroupControlMessage closedGroupControlMessage = 104;
optional string syncTarget = 105; optional string syncTarget = 105;
// optional GroupMessage groupMessage = 120;
} }
message CallMessage { message CallMessage {
@ -279,3 +330,25 @@ message GroupContext {
repeated string admins = 6; repeated string admins = 6;
} }
message WebSocketRequestMessage {
optional string verb = 1;
optional string path = 2;
optional bytes body = 3;
repeated string headers = 5;
optional uint64 id = 4;
}
message WebSocketMessage {
enum Type {
UNKNOWN = 0;
REQUEST = 1;
RESPONSE = 2;
}
optional Type type = 1;
optional WebSocketRequestMessage request = 2;
}

View File

@ -1,39 +0,0 @@
/**
* Copyright (C) 2014 Open WhisperSystems
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package signalservice;
option java_package = "org.whispersystems.websocket.messages.protobuf";
message WebSocketRequestMessage {
optional string verb = 1;
optional string path = 2;
optional bytes body = 3;
repeated string headers = 5;
optional uint64 id = 4;
}
message WebSocketMessage {
enum Type {
UNKNOWN = 0;
REQUEST = 1;
RESPONSE = 2;
}
optional Type type = 1;
optional WebSocketRequestMessage request = 2;
}

41
sass.config.js Normal file
View File

@ -0,0 +1,41 @@
/* eslint-disable @typescript-eslint/no-var-requires */
/* eslint-disable import/no-extraneous-dependencies */
const path = require('path');
const sass = require('sass'); // Prefer `dart-sass`
const MiniCssExtractPlugin = require('mini-css-extract-plugin');
module.exports = {
output: {
path: path.resolve(__dirname, 'stylesheets', 'dist'),
},
entry: './stylesheets/manifest.scss',
mode: 'production',
module: {
rules: [
{
test: /\.s[ac]ss$/i,
use: [
// Creates `main.css` compiling all of the compiled css files
MiniCssExtractPlugin.loader,
// Translates CSS into CommonJS
'css-loader',
// Compiles Sass to CSS
{
loader: 'sass-loader',
options: {
implementation: sass,
},
},
],
},
],
},
plugins: [].concat(
new MiniCssExtractPlugin({
filename: 'manifest.css',
})
),
};

View File

@ -6,6 +6,7 @@
.inbox.index { .inbox.index {
display: flex; display: flex;
flex-direction: column;
background-color: var(--background-primary-color); background-color: var(--background-primary-color);
} }
@ -64,9 +65,6 @@
flex-grow: 1; flex-grow: 1;
display: flex; display: flex;
} }
.conversation.placeholder {
height: 100vh;
}
.left-pane-wrapper { .left-pane-wrapper {
flex: 1; flex: 1;
} }

View File

@ -132,8 +132,6 @@
.loki-dialog { .loki-dialog {
& ~ .index.inbox { & ~ .index.inbox {
// filter: blur(2px); // FIXME enable back once modals are moved to react
// currently it cause an issues with toast being on the foreground when a modal is shown
transition: filter 0.1s; transition: filter 0.1s;
} }

View File

@ -1048,6 +1048,9 @@
} }
// Module H5AudioPlayer // Module H5AudioPlayer
$rhap_background-color: var(--transparent-color) !default;
$rhap_font-family: inherit !default;
.module-message__container--outgoing { .module-message__container--outgoing {
.rhap_container { .rhap_container {
background-color: var(--message-bubbles-sent-background-color); background-color: var(--message-bubbles-sent-background-color);

View File

@ -525,7 +525,7 @@ label {
.session-settings { .session-settings {
width: 100%; width: 100%;
height: 100vh; height: 100%;
display: flex; display: flex;
flex-direction: column; flex-direction: column;
background-color: var(--background-secondary-color); background-color: var(--background-secondary-color);

View File

@ -78,10 +78,12 @@
} }
.session-conversation { .session-conversation {
position: relative;
flex-grow: 1; flex-grow: 1;
display: flex; display: flex;
flex-direction: column; flex-direction: column;
max-width: calc(100vw - 380px); max-width: calc(100vw - 380px);
height: 100%;
.selection-mode { .selection-mode {
.messages-container > *:not(.message-selected) { .messages-container > *:not(.message-selected) {
@ -252,135 +254,3 @@
} }
} }
} }
/* ************ */
/* AUDIO PLAYER */
/* ************ */
$rhap_background-color: var(--transparent-color) !default;
$rhap_font-family: inherit !default;
.rhap_container,
.rhap_container button,
.rhap_progress-container {
outline: none;
}
.rhap_progress-container {
margin: 0 0 0 calc(10px + 1%);
}
.rhap_container {
min-width: 220px;
padding: 0px;
background-color: transparent;
box-shadow: none;
padding: var(--padding-message-content);
border-radius: var(--border-radius-message-box);
svg {
transition: fill var(--default-duration);
}
}
.rhap_total-time {
display: none;
}
.rhap_current-time {
margin: 0 5px 0 4px;
flex-shrink: 0;
}
.rhap_play-pause-button {
display: flex;
justify-content: center;
align-items: center;
}
.rhap_volume-bar {
display: none;
}
.rhap_volume-button {
.module-message__container--incoming & {
color: var(--message-bubbles-received-text-color);
}
.module-message__container--outgoing & {
color: var(--message-bubbles-sent-text-color);
}
}
.rhap_volume-container div[role='progressbar'] {
display: none;
}
.rhap_time {
.module-message__container--incoming & {
color: var(--message-bubbles-received-text-color);
}
.module-message__container--outgoing & {
color: var(--message-bubbles-sent-text-color);
}
font-size: 12px;
}
.rhap_progress-bar {
box-sizing: border-box;
position: relative;
z-index: 0;
width: 100%;
height: 5px;
border-radius: 2px;
}
.rhap_progress-filled {
padding-left: 5px;
}
.rhap_download-progress {
height: 100%;
position: absolute;
z-index: 1;
border-radius: 2px;
}
.rhap_progress-indicator {
z-index: 3;
width: 15px;
height: 15px;
top: -5px;
margin-left: -10px;
box-shadow: rgba(0, 0, 0, 0.5) 0 0 5px !important;
}
.rhap_controls-section {
display: flex;
justify-content: space-between;
align-items: center;
}
.rhap_additional-controls {
display: none;
}
.rhap_play-pause-button {
width: unset;
height: unset;
}
.rhap_controls-section {
flex: unset;
justify-content: flex-start;
}
.rhap_volume-button {
font-size: 20px;
width: 20px;
height: 20px;
margin-right: 0px;
}
/* **************** */
/* END AUDIO PLAYER */
/* **************** */

View File

@ -1,7 +1,7 @@
.group-settings { .group-settings {
display: flex; display: flex;
flex-direction: column; flex-direction: column;
height: 100vh; height: 100%;
width: -webkit-fill-available; width: -webkit-fill-available;
align-items: center; align-items: center;

View File

@ -70,14 +70,14 @@ $session-compose-margin: 20px;
.module-left-pane { .module-left-pane {
position: relative; position: relative;
height: 100vh; height: 100%;
flex-shrink: 0; flex-shrink: 0;
border-left: 1px solid var(--border-color); border-left: 1px solid var(--border-color);
border-right: 1px solid var(--border-color); border-right: 1px solid var(--border-color);
&-session { &-session {
display: flex; display: flex;
height: 100vh; height: 100%;
} }
&__header { &__header {
@ -143,6 +143,8 @@ $session-compose-margin: 20px;
.conversation.placeholder { .conversation.placeholder {
margin: auto; margin: auto;
height: 100%;
.container { .container {
display: flex; display: flex;
height: 100%; height: 100%;

View File

@ -1,11 +1,11 @@
// Modules // Modules
@import '../node_modules/react-h5-audio-player/lib/styles.css'; @import 'react-h5-audio-player/lib/styles.css';
@import '../node_modules/react-contexify/dist/ReactContexify.min.css'; @import 'react-contexify/dist/ReactContexify.min.css';
@import '../node_modules/react-toastify/dist/ReactToastify.css'; @import 'react-toastify/dist/ReactToastify.css';
@import '../node_modules/sanitize.css/sanitize.css'; @import 'sanitize.css/sanitize.css';
@import '../node_modules/sanitize.css/forms.css'; @import 'sanitize.css/forms.css';
@import '../node_modules/sanitize.css/typography.css'; @import 'sanitize.css/typography.css';
// Global Settings and Mixins // Global Settings and Mixins
@import 'session_constants'; @import 'session_constants';

View File

@ -14,5 +14,5 @@ mv $PWD/_locales/zh-TW $PWD/_locales/zh_TW
echo 'Updated locales from crowdin to session-desktop folder' echo 'Updated locales from crowdin to session-desktop folder'
python $PWD/tools/updateI18nKeysType.py python3 $PWD/tools/updateI18nKeysType.py

View File

@ -1,5 +1,5 @@
import _ from 'lodash';
import os from 'os'; import os from 'os';
import _ from 'lodash';
import semver from 'semver'; import semver from 'semver';
export const isMacOS = () => process.platform === 'darwin'; export const isMacOS = () => process.platform === 'darwin';

View File

@ -40,7 +40,7 @@ export const AboutView = () => {
theme: window.theme, theme: window.theme,
}); });
} }
}, [window.theme]); }, []);
return ( return (
<SessionTheme> <SessionTheme>

View File

@ -1,5 +1,3 @@
// tslint:disable:react-a11y-anchors
import React from 'react'; import React from 'react';
import * as GoogleChrome from '../util/GoogleChrome'; import * as GoogleChrome from '../util/GoogleChrome';

View File

@ -48,7 +48,6 @@ const StyledContent = styled.div`
`; `;
const DebugLogTextArea = (props: { content: string }) => { const DebugLogTextArea = (props: { content: string }) => {
// tslint:disable-next-line: react-a11y-input-elements
return <textarea spellCheck="false" rows={10} value={props.content} style={{ height: '100%' }} />; return <textarea spellCheck="false" rows={10} value={props.content} style={{ height: '100%' }} />;
}; };
@ -69,7 +68,6 @@ const DebugLogButtons = (props: { content: string }) => {
</div> </div>
); );
}; };
// tslint:disable: no-console
const DebugLogViewAndSave = () => { const DebugLogViewAndSave = () => {
const [content, setContent] = useState(window.i18n('loading')); const [content, setContent] = useState(window.i18n('loading'));
@ -85,6 +83,7 @@ const DebugLogViewAndSave = () => {
const debugLogWithSystemInfo = `${operatingSystemInfo} ${commitHashInfo} ${text}`; const debugLogWithSystemInfo = `${operatingSystemInfo} ${commitHashInfo} ${text}`;
setContent(debugLogWithSystemInfo); setContent(debugLogWithSystemInfo);
}) })
// eslint-disable-next-line no-console
.catch(console.error); .catch(console.error);
}, []); }, []);
@ -103,7 +102,7 @@ export const DebugLogView = () => {
theme: window.theme, theme: window.theme,
}); });
} }
}, [window.theme]); }, []);
return ( return (
<SessionTheme> <SessionTheme>

View File

@ -1,70 +1,28 @@
import React from 'react'; import React from 'react';
import { CSSProperties } from 'styled-components';
import { ToastUtils } from '../session/utils'; export const MessageView = () => {
import { createClosedGroup as createClosedGroupV2 } from '../receiver/closedGroups'; const noDragStyle = { '-webkit-user-drag': 'none' } as CSSProperties;
import { VALIDATION } from '../session/constants';
export class MessageView extends React.Component { return (
public render() { <div className="conversation placeholder">
return ( <div className="conversation-header" />
<div className="conversation placeholder"> <div className="container">
<div className="conversation-header" /> <div className="content session-full-logo">
<div className="container"> <img
<div className="content session-full-logo"> src="images/session/brand.svg"
<img className="session-brand-logo"
src="images/session/brand.svg" alt="full-brand-logo"
className="session-brand-logo" style={noDragStyle}
alt="full-brand-logo" />
/> <img
<img src="images/session/session-text.svg"
src="images/session/session-text.svg" className="session-text-logo"
className="session-text-logo" alt="full-brand-logo"
alt="full-brand-logo" style={noDragStyle}
/> />
</div>
</div> </div>
</div> </div>
); </div>
} );
}
// /////////////////////////////////////
// //////////// Management /////////////
// /////////////////////////////////////
/**
* Returns true if the group was indead created
*/
async function createClosedGroup(
groupName: string,
groupMemberIds: Array<string>
): Promise<boolean> {
// Validate groupName and groupMembers length
if (groupName.length === 0) {
ToastUtils.pushToastError('invalidGroupName', window.i18n('invalidGroupNameTooShort'));
return false;
} else if (groupName.length > VALIDATION.MAX_GROUP_NAME_LENGTH) {
ToastUtils.pushToastError('invalidGroupName', window.i18n('invalidGroupNameTooLong'));
return false;
}
// >= because we add ourself as a member AFTER this. so a 10 group is already invalid as it will be 11 with ourself
// the same is valid with groups count < 1
if (groupMemberIds.length < 1) {
ToastUtils.pushToastError('pickClosedGroupMember', window.i18n('pickClosedGroupMember'));
return false;
} else if (groupMemberIds.length >= VALIDATION.CLOSED_GROUP_SIZE_LIMIT) {
ToastUtils.pushToastError('closedGroupMaxSize', window.i18n('closedGroupMaxSize'));
return false;
}
await createClosedGroupV2(groupName, groupMemberIds);
return true;
}
export const MainViewController = {
createClosedGroup,
}; };

View File

@ -1,7 +1,8 @@
import React from 'react'; import React from 'react';
import styled from 'styled-components';
import { Avatar, AvatarSize, CrownIcon } from './avatar/Avatar'; import { Avatar, AvatarSize, CrownIcon } from './avatar/Avatar';
import { useConversationUsernameOrShorten } from '../hooks/useParamSelector'; import { useConversationUsernameOrShorten } from '../hooks/useParamSelector';
import styled from 'styled-components';
import { SessionRadio } from './basic/SessionRadio'; import { SessionRadio } from './basic/SessionRadio';
const AvatarContainer = styled.div` const AvatarContainer = styled.div`
@ -93,9 +94,9 @@ export const MemberListItem = (props: {
const memberName = useConversationUsernameOrShorten(pubkey); const memberName = useConversationUsernameOrShorten(pubkey);
return ( return (
// tslint:disable-next-line: use-simple-attributes
<StyledSessionMemberItem <StyledSessionMemberItem
onClick={() => { onClick={() => {
// eslint-disable-next-line no-unused-expressions
isSelected ? onUnselect?.(pubkey) : onSelect?.(pubkey); isSelected ? onUnselect?.(pubkey) : onSelect?.(pubkey);
}} }}
style={ style={

View File

@ -0,0 +1,51 @@
import React from 'react';
import styled from 'styled-components';
import { Flex } from './basic/Flex';
import { SessionIconButton } from './icon';
const StyledNoticeBanner = styled(Flex)`
position: relative;
background-color: var(--primary-color);
color: var(--background-primary-color);
font-size: var(--font-size-md);
padding: var(--margins-xs) var(--margins-sm);
text-align: center;
flex-shrink: 0;
.session-icon-button {
position: absolute;
right: var(--margins-sm);
}
`;
const StyledText = styled.span`
margin-right: var(--margins-lg);
`;
type NoticeBannerProps = {
text: string;
dismissCallback: () => void;
};
export const NoticeBanner = (props: NoticeBannerProps) => {
const { text, dismissCallback } = props;
return (
<StyledNoticeBanner
container={true}
flexDirection={'row'}
justifyContent={'center'}
alignItems={'center'}
>
<StyledText>{text}</StyledText>
<SessionIconButton
iconType="exit"
iconColor="inherit"
iconSize="small"
onClick={event => {
event?.preventDefault();
dismissCallback();
}}
/>
</StyledNoticeBanner>
);
};

View File

@ -1,12 +1,18 @@
import moment from 'moment';
import React from 'react'; import React from 'react';
import { Provider } from 'react-redux'; import { Provider } from 'react-redux';
import { LeftPane } from './leftpane/LeftPane'; import styled from 'styled-components';
import { fromPairs, map } from 'lodash';
// tslint:disable-next-line: no-submodule-imports
import { PersistGate } from 'redux-persist/integration/react';
import { persistStore } from 'redux-persist'; import { persistStore } from 'redux-persist';
import { PersistGate } from 'redux-persist/integration/react';
import useUpdate from 'react-use/lib/useUpdate';
import useMount from 'react-use/lib/useMount';
import { LeftPane } from './leftpane/LeftPane';
// moment does not support es-419 correctly (and cause white screen on app start)
import { getConversationController } from '../session/conversations'; import { getConversationController } from '../session/conversations';
import { UserUtils } from '../session/utils'; import { UserUtils } from '../session/utils';
import { createStore } from '../state/createStore';
import { initialCallState } from '../state/ducks/call'; import { initialCallState } from '../state/ducks/call';
import { import {
getEmptyConversationState, getEmptyConversationState,
@ -15,22 +21,31 @@ import {
import { initialDefaultRoomState } from '../state/ducks/defaultRooms'; import { initialDefaultRoomState } from '../state/ducks/defaultRooms';
import { initialModalState } from '../state/ducks/modalDialog'; import { initialModalState } from '../state/ducks/modalDialog';
import { initialOnionPathState } from '../state/ducks/onion'; import { initialOnionPathState } from '../state/ducks/onion';
import { initialPrimaryColorState } from '../state/ducks/primaryColor';
import { initialSearchState } from '../state/ducks/search'; import { initialSearchState } from '../state/ducks/search';
import { initialSectionState } from '../state/ducks/section'; import { initialSectionState } from '../state/ducks/section';
import { getEmptyStagedAttachmentsState } from '../state/ducks/stagedAttachments'; import { getEmptyStagedAttachmentsState } from '../state/ducks/stagedAttachments';
import { initialThemeState } from '../state/ducks/theme'; import { initialThemeState } from '../state/ducks/theme';
import { initialPrimaryColorState } from '../state/ducks/primaryColor';
import { TimerOptionsArray } from '../state/ducks/timerOptions'; import { TimerOptionsArray } from '../state/ducks/timerOptions';
import { initialUserConfigState } from '../state/ducks/userConfig'; import { initialUserConfigState } from '../state/ducks/userConfig';
import { StateType } from '../state/reducer'; import { StateType } from '../state/reducer';
import { makeLookup } from '../util';
import { SessionMainPanel } from './SessionMainPanel';
import { createStore } from '../state/createStore';
import { ExpirationTimerOptions } from '../util/expiringMessages'; import { ExpirationTimerOptions } from '../util/expiringMessages';
import { SessionMainPanel } from './SessionMainPanel';
// moment does not support es-419 correctly (and cause white screen on app start) import { SettingsKey } from '../data/settings-key';
import moment from 'moment'; import { getSettingsInitialState, updateAllOnStorageReady } from '../state/ducks/settings';
import styled from 'styled-components'; import { initialSogsRoomInfoState } from '../state/ducks/sogsRoomInfo';
import { useHasDeviceOutdatedSyncing } from '../state/selectors/settings';
import { Storage } from '../util/storage';
import { NoticeBanner } from './NoticeBanner';
import { Flex } from './basic/Flex';
function makeLookup<T>(items: Array<T>, key: string): { [key: string]: T } {
// Yep, we can't index into item without knowing what it is. True. But we want to.
const pairs = map(items, item => [(item as any)[key] as string, item]);
return fromPairs(pairs);
}
// Default to the locale from env. It will be overridden if moment // Default to the locale from env. It will be overridden if moment
// does not recognize it with what moment knows which is the closest. // does not recognize it with what moment knows which is the closest.
@ -38,92 +53,98 @@ import styled from 'styled-components';
// We just need to use what we got from moment in getLocale on the updateLocale below // We just need to use what we got from moment in getLocale on the updateLocale below
moment.locale((window.i18n as any).getLocale()); moment.locale((window.i18n as any).getLocale());
// Workaround: A react component's required properties are filtering up through connect()
// https://github.com/DefinitelyTyped/DefinitelyTyped/issues/31363
type State = {
isInitialLoadComplete: boolean;
};
const StyledGutter = styled.div` const StyledGutter = styled.div`
width: 380px !important; width: 380px !important;
transition: none; transition: none;
`; `;
export class SessionInboxView extends React.Component<any, State> { function createSessionInboxStore() {
private store: any; // Here we set up a full redux store with initial state for our LeftPane Root
const conversations = getConversationController()
.getConversations()
.map(conversation => conversation.getConversationModelProps());
constructor(props: any) { const timerOptions: TimerOptionsArray = ExpirationTimerOptions.getTimerSecondsWithName();
super(props); const initialState: StateType = {
this.state = { conversations: {
isInitialLoadComplete: false, ...getEmptyConversationState(),
}; conversationLookup: makeLookup(conversations, 'id'),
} },
user: {
ourNumber: UserUtils.getOurPubKeyStrFromCache(),
},
section: initialSectionState,
defaultRooms: initialDefaultRoomState,
search: initialSearchState,
theme: initialThemeState,
primaryColor: initialPrimaryColorState,
onionPaths: initialOnionPathState,
modals: initialModalState,
userConfig: initialUserConfigState,
timerOptions: {
timerOptions,
},
stagedAttachments: getEmptyStagedAttachmentsState(),
call: initialCallState,
sogsRoomInfo: initialSogsRoomInfoState,
settings: getSettingsInitialState(),
};
public componentDidMount() { return createStore(initialState);
this.setupLeftPane();
}
public render() {
if (!this.state.isInitialLoadComplete) {
return null;
}
const persistor = persistStore(this.store);
window.persistStore = persistor;
return (
<div className="inbox index">
<Provider store={this.store}>
<PersistGate loading={null} persistor={persistor}>
<StyledGutter>{this.renderLeftPane()}</StyledGutter>
<SessionMainPanel />
</PersistGate>
</Provider>
</div>
);
}
private renderLeftPane() {
return <LeftPane />;
}
private setupLeftPane() {
// Here we set up a full redux store with initial state for our LeftPane Root
const conversations = getConversationController()
.getConversations()
.map(conversation => conversation.getConversationModelProps());
const timerOptions: TimerOptionsArray = ExpirationTimerOptions.getTimerSecondsWithName();
const initialState: StateType = {
conversations: {
...getEmptyConversationState(),
conversationLookup: makeLookup(conversations, 'id'),
},
user: {
ourNumber: UserUtils.getOurPubKeyStrFromCache(),
},
section: initialSectionState,
defaultRooms: initialDefaultRoomState,
search: initialSearchState,
theme: initialThemeState,
primaryColor: initialPrimaryColorState,
onionPaths: initialOnionPathState,
modals: initialModalState,
userConfig: initialUserConfigState,
timerOptions: {
timerOptions,
},
stagedAttachments: getEmptyStagedAttachmentsState(),
call: initialCallState,
};
this.store = createStore(initialState);
window.inboxStore = this.store;
window.openConversationWithMessages = openConversationWithMessages;
this.setState({ isInitialLoadComplete: true });
}
} }
function setupLeftPane(forceUpdateInboxComponent: () => void) {
window.openConversationWithMessages = openConversationWithMessages;
window.inboxStore = createSessionInboxStore();
window.inboxStore.dispatch(updateAllOnStorageReady());
forceUpdateInboxComponent();
}
const SomeDeviceOutdatedSyncingNotice = () => {
const outdatedBannerShouldBeShown = useHasDeviceOutdatedSyncing();
const dismiss = () => {
void Storage.put(SettingsKey.someDeviceOutdatedSyncing, false);
};
if (!outdatedBannerShouldBeShown) {
return null;
}
return (
<NoticeBanner
text={window.i18n('someOfYourDeviceUseOutdatedVersion')}
dismissCallback={dismiss}
/>
);
};
export const SessionInboxView = () => {
const update = useUpdate();
// run only on mount
useMount(() => {
setupLeftPane(update);
});
if (!window.inboxStore) {
return null;
}
const persistor = persistStore(window.inboxStore);
window.persistStore = persistor;
return (
<div className="inbox index">
<Provider store={window.inboxStore}>
<PersistGate loading={null} persistor={persistor}>
<SomeDeviceOutdatedSyncingNotice />
<Flex container={true} height="0" flexShrink={100} flexGrow={1}>
<StyledGutter>
<LeftPane />
</StyledGutter>
<SessionMainPanel />
</Flex>
</PersistGate>
</Provider>
</div>
);
};

Some files were not shown because too many files have changed in this diff Show More