diff --git a/CHANGES.md b/CHANGES.md index 9719d6984..86fd5e3ae 100644 --- a/CHANGES.md +++ b/CHANGES.md @@ -2,8 +2,10 @@ ## 4.0.2 (Unreleased) -- M4A and WEBM files when sent as XEP-0066 Out of Band Data, are now playable directly in chat +- M4A and WEBM files, when sent as XEP-0066 Out of Band Data, are now playable directly in chat - OMEMO fixes for Edge. +- Updated French and Spanish translations +- Two new languages supported, [Hindi](https://hosted.weblate.org/languages/hi/conversejs/) and [Romanian](https://hosted.weblate.org/languages/ro/conversejs/) - #1187 UTF-8 characters have the wrong encoding when using OMEMO - #1189 Video playback failure - #1220 Converse not working in Edge diff --git a/dist/converse-no-dependencies.js b/dist/converse-no-dependencies.js index 020e0158c..db808d0a2 100644 --- a/dist/converse-no-dependencies.js +++ b/dist/converse-no-dependencies.js @@ -4219,6 +4219,205 @@ backbone.nativeview = __webpack_require__(/*! backbone.nativeview */ "./node_mod /***/ }), +/***/ "./node_modules/fast-text-encoding/text.js": +/*!*************************************************!*\ + !*** ./node_modules/fast-text-encoding/text.js ***! + \*************************************************/ +/*! no static exports found */ +/***/ (function(module, exports, __webpack_require__) { + +/* WEBPACK VAR INJECTION */(function(global) {/* + * Copyright 2017 Sam Thorogood. All rights reserved. + * + * Licensed under the Apache License, Version 2.0 (the "License"); you may not + * use this file except in compliance with the License. You may obtain a copy of + * the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT + * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the + * License for the specific language governing permissions and limitations under + * the License. + */ + +/** + * @fileoverview Polyfill for TextEncoder and TextDecoder. + * + * You probably want `text.min.js`, and not this file directly. + */ + +(function(scope) { +'use strict'; + +// fail early +if (scope['TextEncoder'] && scope['TextDecoder']) { + return false; +} + +/** + * @constructor + * @param {string=} utfLabel + */ +function FastTextEncoder(utfLabel='utf-8') { + if (utfLabel !== 'utf-8') { + throw new RangeError( + `Failed to construct 'TextEncoder': The encoding label provided ('${utfLabel}') is invalid.`); + } +} + +Object.defineProperty(FastTextEncoder.prototype, 'encoding', {value: 'utf-8'}); + +/** + * @param {string} string + * @param {{stream: boolean}=} options + * @return {!Uint8Array} + */ +FastTextEncoder.prototype.encode = function(string, options={stream: false}) { + if (options.stream) { + throw new Error(`Failed to encode: the 'stream' option is unsupported.`); + } + + let pos = 0; + const len = string.length; + const out = []; + + let at = 0; // output position + let tlen = Math.max(32, len + (len >> 1) + 7); // 1.5x size + let target = new Uint8Array((tlen >> 3) << 3); // ... but at 8 byte offset + + while (pos < len) { + let value = string.charCodeAt(pos++); + if (value >= 0xd800 && value <= 0xdbff) { + // high surrogate + if (pos < len) { + const extra = string.charCodeAt(pos); + if ((extra & 0xfc00) === 0xdc00) { + ++pos; + value = ((value & 0x3ff) << 10) + (extra & 0x3ff) + 0x10000; + } + } + if (value >= 0xd800 && value <= 0xdbff) { + continue; // drop lone surrogate + } + } + + // expand the buffer if we couldn't write 4 bytes + if (at + 4 > target.length) { + tlen += 8; // minimum extra + tlen *= (1.0 + (pos / string.length) * 2); // take 2x the remaining + tlen = (tlen >> 3) << 3; // 8 byte offset + + const update = new Uint8Array(tlen); + update.set(target); + target = update; + } + + if ((value & 0xffffff80) === 0) { // 1-byte + target[at++] = value; // ASCII + continue; + } else if ((value & 0xfffff800) === 0) { // 2-byte + target[at++] = ((value >> 6) & 0x1f) | 0xc0; + } else if ((value & 0xffff0000) === 0) { // 3-byte + target[at++] = ((value >> 12) & 0x0f) | 0xe0; + target[at++] = ((value >> 6) & 0x3f) | 0x80; + } else if ((value & 0xffe00000) === 0) { // 4-byte + target[at++] = ((value >> 18) & 0x07) | 0xf0; + target[at++] = ((value >> 12) & 0x3f) | 0x80; + target[at++] = ((value >> 6) & 0x3f) | 0x80; + } else { + // FIXME: do we care + continue; + } + + target[at++] = (value & 0x3f) | 0x80; + } + + return target.slice(0, at); +} + +/** + * @constructor + * @param {string=} utfLabel + * @param {{fatal: boolean}=} options + */ +function FastTextDecoder(utfLabel='utf-8', options={fatal: false}) { + if (utfLabel !== 'utf-8') { + throw new RangeError( + `Failed to construct 'TextDecoder': The encoding label provided ('${utfLabel}') is invalid.`); + } + if (options.fatal) { + throw new Error(`Failed to construct 'TextDecoder': the 'fatal' option is unsupported.`); + } +} + +Object.defineProperty(FastTextDecoder.prototype, 'encoding', {value: 'utf-8'}); + +Object.defineProperty(FastTextDecoder.prototype, 'fatal', {value: false}); + +Object.defineProperty(FastTextDecoder.prototype, 'ignoreBOM', {value: false}); + +/** + * @param {(!ArrayBuffer|!ArrayBufferView)} buffer + * @param {{stream: boolean}=} options + */ +FastTextDecoder.prototype.decode = function(buffer, options={stream: false}) { + if (options['stream']) { + throw new Error(`Failed to decode: the 'stream' option is unsupported.`); + } + + const bytes = new Uint8Array(buffer); + let pos = 0; + const len = bytes.length; + const out = []; + + while (pos < len) { + const byte1 = bytes[pos++]; + if (byte1 === 0) { + break; // NULL + } + + if ((byte1 & 0x80) === 0) { // 1-byte + out.push(byte1); + } else if ((byte1 & 0xe0) === 0xc0) { // 2-byte + const byte2 = bytes[pos++] & 0x3f; + out.push(((byte1 & 0x1f) << 6) | byte2); + } else if ((byte1 & 0xf0) === 0xe0) { + const byte2 = bytes[pos++] & 0x3f; + const byte3 = bytes[pos++] & 0x3f; + out.push(((byte1 & 0x1f) << 12) | (byte2 << 6) | byte3); + } else if ((byte1 & 0xf8) === 0xf0) { + const byte2 = bytes[pos++] & 0x3f; + const byte3 = bytes[pos++] & 0x3f; + const byte4 = bytes[pos++] & 0x3f; + + // this can be > 0xffff, so possibly generate surrogates + let codepoint = ((byte1 & 0x07) << 0x12) | (byte2 << 0x0c) | (byte3 << 0x06) | byte4; + if (codepoint > 0xffff) { + // codepoint &= ~0x10000; + codepoint -= 0x10000; + out.push((codepoint >>> 10) & 0x3ff | 0xd800) + codepoint = 0xdc00 | codepoint & 0x3ff; + } + out.push(codepoint); + } else { + // FIXME: we're ignoring this + } + } + + return String.fromCharCode.apply(null, out); +} + +scope['TextEncoder'] = FastTextEncoder; +scope['TextDecoder'] = FastTextDecoder; + +}(typeof window !== 'undefined' ? window : (typeof global !== 'undefined' ? global : this))); + +/* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(/*! ./../webpack/buildin/global.js */ "./node_modules/webpack/buildin/global.js"))) + +/***/ }), + /***/ "./node_modules/filesize/lib/filesize.js": /*!***********************************************!*\ !*** ./node_modules/filesize/lib/filesize.js ***! @@ -4397,6 +4596,407 @@ backbone.nativeview = __webpack_require__(/*! backbone.nativeview */ "./node_mod /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(/*! ./../../webpack/buildin/global.js */ "./node_modules/webpack/buildin/global.js"))) +/***/ }), + +/***/ "./node_modules/formdata-polyfill/FormData.js": +/*!****************************************************!*\ + !*** ./node_modules/formdata-polyfill/FormData.js ***! + \****************************************************/ +/*! no static exports found */ +/***/ (function(module, exports) { + +if (typeof FormData === 'undefined' || !FormData.prototype.keys) { + const global = typeof window === 'object' + ? window : typeof self === 'object' + ? self : this + + // keep a reference to native implementation + const _FormData = global.FormData + + // To be monkey patched + const _send = global.XMLHttpRequest && global.XMLHttpRequest.prototype.send + const _fetch = global.Request && global.fetch + + // Unable to patch Request constructor correctly + // const _Request = global.Request + // only way is to use ES6 class extend + // https://github.com/babel/babel/issues/1966 + + const stringTag = global.Symbol && Symbol.toStringTag + const map = new WeakMap + const wm = o => map.get(o) + const arrayFrom = Array.from || (obj => [].slice.call(obj)) + + // Add missing stringTags to blob and files + if (stringTag) { + if (!Blob.prototype[stringTag]) { + Blob.prototype[stringTag] = 'Blob' + } + + if ('File' in global && !File.prototype[stringTag]) { + File.prototype[stringTag] = 'File' + } + } + + // Fix so you can construct your own File + try { + new File([], '') + } catch (a) { + global.File = function(b, d, c) { + const blob = new Blob(b, c) + const t = c && void 0 !== c.lastModified ? new Date(c.lastModified) : new Date + + Object.defineProperties(blob, { + name: { + value: d + }, + lastModifiedDate: { + value: t + }, + lastModified: { + value: +t + }, + toString: { + value() { + return '[object File]' + } + } + }) + + if (stringTag) { + Object.defineProperty(blob, stringTag, { + value: 'File' + }) + } + + return blob + } + } + + function normalizeValue([value, filename]) { + if (value instanceof Blob) + // Should always returns a new File instance + // console.assert(fd.get(x) !== fd.get(x)) + value = new File([value], filename, { + type: value.type, + lastModified: value.lastModified + }) + + return value + } + + function stringify(name) { + if (!arguments.length) + throw new TypeError('1 argument required, but only 0 present.') + + return [name + ''] + } + + function normalizeArgs(name, value, filename) { + if (arguments.length < 2) + throw new TypeError( + `2 arguments required, but only ${arguments.length} present.` + ) + + return value instanceof Blob + // normalize name and filename if adding an attachment + ? [name + '', value, filename !== undefined + ? filename + '' // Cast filename to string if 3th arg isn't undefined + : typeof value.name === 'string' // if name prop exist + ? value.name // Use File.name + : 'blob'] // otherwise fallback to Blob + + // If no attachment, just cast the args to strings + : [name + '', value + ''] + } + + /** + * @implements {Iterable} + */ + class FormDataPolyfill { + + /** + * FormData class + * + * @param {HTMLElement=} form + */ + constructor(form) { + map.set(this, Object.create(null)) + + if (!form) + return this + + for (let elm of arrayFrom(form.elements)) { + if (!elm.name || elm.disabled) continue + + if (elm.type === 'file') + for (let file of arrayFrom(elm.files || [])) + this.append(elm.name, file) + else if (elm.type === 'select-multiple' || elm.type === 'select-one') + for (let opt of arrayFrom(elm.options)) + !opt.disabled && opt.selected && this.append(elm.name, opt.value) + else if (elm.type === 'checkbox' || elm.type === 'radio') { + if (elm.checked) this.append(elm.name, elm.value) + } else + this.append(elm.name, elm.value) + } + } + + + /** + * Append a field + * + * @param {String} name field name + * @param {String|Blob|File} value string / blob / file + * @param {String=} filename filename to use with blob + * @return {Undefined} + */ + append(name, value, filename) { + const map = wm(this) + + if (!map[name]) + map[name] = [] + + map[name].push([value, filename]) + } + + + /** + * Delete all fields values given name + * + * @param {String} name Field name + * @return {Undefined} + */ + delete(name) { + delete wm(this)[name] + } + + + /** + * Iterate over all fields as [name, value] + * + * @return {Iterator} + */ + *entries() { + const map = wm(this) + + for (let name in map) + for (let value of map[name]) + yield [name, normalizeValue(value)] + } + + /** + * Iterate over all fields + * + * @param {Function} callback Executed for each item with parameters (value, name, thisArg) + * @param {Object=} thisArg `this` context for callback function + * @return {Undefined} + */ + forEach(callback, thisArg) { + for (let [name, value] of this) + callback.call(thisArg, value, name, this) + } + + + /** + * Return first field value given name + * or null if non existen + * + * @param {String} name Field name + * @return {String|File|null} value Fields value + */ + get(name) { + const map = wm(this) + return map[name] ? normalizeValue(map[name][0]) : null + } + + + /** + * Return all fields values given name + * + * @param {String} name Fields name + * @return {Array} [{String|File}] + */ + getAll(name) { + return (wm(this)[name] || []).map(normalizeValue) + } + + + /** + * Check for field name existence + * + * @param {String} name Field name + * @return {boolean} + */ + has(name) { + return name in wm(this) + } + + + /** + * Iterate over all fields name + * + * @return {Iterator} + */ + *keys() { + for (let [name] of this) + yield name + } + + + /** + * Overwrite all values given name + * + * @param {String} name Filed name + * @param {String} value Field value + * @param {String=} filename Filename (optional) + * @return {Undefined} + */ + set(name, value, filename) { + wm(this)[name] = [[value, filename]] + } + + + /** + * Iterate over all fields + * + * @return {Iterator} + */ + *values() { + for (let [name, value] of this) + yield value + } + + + /** + * Return a native (perhaps degraded) FormData with only a `append` method + * Can throw if it's not supported + * + * @return {FormData} + */ + ['_asNative']() { + const fd = new _FormData + + for (let [name, value] of this) + fd.append(name, value) + + return fd + } + + + /** + * [_blob description] + * + * @return {Blob} [description] + */ + ['_blob']() { + const boundary = '----formdata-polyfill-' + Math.random() + const chunks = [] + + for (let [name, value] of this) { + chunks.push(`--${boundary}\r\n`) + + if (value instanceof Blob) { + chunks.push( + `Content-Disposition: form-data; name="${name}"; filename="${value.name}"\r\n`, + `Content-Type: ${value.type || 'application/octet-stream'}\r\n\r\n`, + value, + '\r\n' + ) + } else { + chunks.push( + `Content-Disposition: form-data; name="${name}"\r\n\r\n${value}\r\n` + ) + } + } + + chunks.push(`--${boundary}--`) + + return new Blob(chunks, {type: 'multipart/form-data; boundary=' + boundary}) + } + + + /** + * The class itself is iterable + * alias for formdata.entries() + * + * @return {Iterator} + */ + [Symbol.iterator]() { + return this.entries() + } + + + /** + * Create the default string description. + * + * @return {String} [object FormData] + */ + toString() { + return '[object FormData]' + } + } + + + if (stringTag) { + /** + * Create the default string description. + * It is accessed internally by the Object.prototype.toString(). + * + * @return {String} FormData + */ + FormDataPolyfill.prototype[stringTag] = 'FormData' + } + + const decorations = [ + ['append', normalizeArgs], + ['delete', stringify], + ['get', stringify], + ['getAll', stringify], + ['has', stringify], + ['set', normalizeArgs] + ] + + decorations.forEach(arr => { + const orig = FormDataPolyfill.prototype[arr[0]] + FormDataPolyfill.prototype[arr[0]] = function() { + return orig.apply(this, arr[1].apply(this, arrayFrom(arguments))) + } + }) + + // Patch xhr's send method to call _blob transparently + if (_send) { + XMLHttpRequest.prototype.send = function(data) { + // I would check if Content-Type isn't already set + // But xhr lacks getRequestHeaders functionallity + // https://github.com/jimmywarting/FormData/issues/44 + if (data instanceof FormDataPolyfill) { + const blob = data['_blob']() + this.setRequestHeader('Content-Type', blob.type) + _send.call(this, blob) + } else { + _send.call(this, data) + } + } + } + + // Patch fetch's function to call _blob transparently + if (_fetch) { + const _fetch = global.fetch + + global.fetch = function(input, init) { + if (init && init.body && init.body instanceof FormDataPolyfill) { + init.body = init.body['_blob']() + } + + return _fetch(input, init) + } + } + + global['FormData'] = FormDataPolyfill +} + + /***/ }), /***/ "./node_modules/jed/jed.js": @@ -35033,11 +35633,11 @@ var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_ /*global define */ (function (root, factory) { - !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! converse-core */ "./src/converse-core.js"), __webpack_require__(/*! bootstrap */ "./node_modules/bootstrap.native/dist/bootstrap-native-v4.js"), __webpack_require__(/*! lodash.fp */ "./src/lodash.fp.js"), __webpack_require__(/*! templates/converse_brand_heading.html */ "./src/templates/converse_brand_heading.html"), __webpack_require__(/*! templates/controlbox.html */ "./src/templates/controlbox.html"), __webpack_require__(/*! templates/controlbox_toggle.html */ "./src/templates/controlbox_toggle.html"), __webpack_require__(/*! templates/login_panel.html */ "./src/templates/login_panel.html"), __webpack_require__(/*! converse-chatview */ "./src/converse-chatview.js"), __webpack_require__(/*! converse-rosterview */ "./src/converse-rosterview.js"), __webpack_require__(/*! converse-profile */ "./src/converse-profile.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), + !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! converse-core */ "./src/converse-core.js"), __webpack_require__(/*! bootstrap */ "./node_modules/bootstrap.native/dist/bootstrap-native-v4.js"), __webpack_require__(/*! formdata-polyfill */ "./node_modules/formdata-polyfill/FormData.js"), __webpack_require__(/*! lodash.fp */ "./src/lodash.fp.js"), __webpack_require__(/*! templates/converse_brand_heading.html */ "./src/templates/converse_brand_heading.html"), __webpack_require__(/*! templates/controlbox.html */ "./src/templates/controlbox.html"), __webpack_require__(/*! templates/controlbox_toggle.html */ "./src/templates/controlbox_toggle.html"), __webpack_require__(/*! templates/login_panel.html */ "./src/templates/login_panel.html"), __webpack_require__(/*! converse-chatview */ "./src/converse-chatview.js"), __webpack_require__(/*! converse-rosterview */ "./src/converse-rosterview.js"), __webpack_require__(/*! converse-profile */ "./src/converse-profile.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); -})(void 0, function (converse, bootstrap, fp, tpl_brand_heading, tpl_controlbox, tpl_controlbox_toggle, tpl_login_panel) { +})(void 0, function (converse, bootstrap, _FormData, fp, tpl_brand_heading, tpl_controlbox, tpl_controlbox_toggle, tpl_login_panel) { "use strict"; var CHATBOX_TYPE = 'chatbox'; @@ -35848,7 +36448,7 @@ function _instanceof(left, right) { if (right != null && typeof Symbol !== "unde jid: undefined, keepalive: true, locales_url: 'locale/{{{locale}}}/LC_MESSAGES/converse.json', - locales: ['af', 'ar', 'bg', 'ca', 'cs', 'de', 'es', 'eu', 'en', 'fr', 'he', 'hu', 'id', 'it', 'ja', 'nb', 'nl', 'pl', 'pt_BR', 'ru', 'tr', 'uk', 'zh_CN', 'zh_TW'], + locales: ['af', 'ar', 'bg', 'ca', 'cs', 'de', 'es', 'eu', 'en', 'fr', 'he', 'hi', 'hu', 'id', 'it', 'ja', 'nb', 'nl', 'pl', 'pt_BR', 'ro', 'ru', 'tr', 'uk', 'zh_CN', 'zh_TW'], message_carbons: true, nickname: undefined, password: undefined, @@ -40606,11 +41206,11 @@ var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_ // Copyright (c) 2013-2018, the Converse.js developers // Licensed under the Mozilla Public License (MPLv2) (function (root, factory) { - !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! converse-core */ "./src/converse-core.js"), __webpack_require__(/*! utils/muc */ "./src/utils/muc.js"), __webpack_require__(/*! xss */ "./node_modules/xss/dist/xss.js"), __webpack_require__(/*! templates/add_chatroom_modal.html */ "./src/templates/add_chatroom_modal.html"), __webpack_require__(/*! templates/chatarea.html */ "./src/templates/chatarea.html"), __webpack_require__(/*! templates/chatroom.html */ "./src/templates/chatroom.html"), __webpack_require__(/*! templates/chatroom_details_modal.html */ "./src/templates/chatroom_details_modal.html"), __webpack_require__(/*! templates/chatroom_disconnect.html */ "./src/templates/chatroom_disconnect.html"), __webpack_require__(/*! templates/chatroom_features.html */ "./src/templates/chatroom_features.html"), __webpack_require__(/*! templates/chatroom_form.html */ "./src/templates/chatroom_form.html"), __webpack_require__(/*! templates/chatroom_head.html */ "./src/templates/chatroom_head.html"), __webpack_require__(/*! templates/chatroom_invite.html */ "./src/templates/chatroom_invite.html"), __webpack_require__(/*! templates/chatroom_nickname_form.html */ "./src/templates/chatroom_nickname_form.html"), __webpack_require__(/*! templates/chatroom_password_form.html */ "./src/templates/chatroom_password_form.html"), __webpack_require__(/*! templates/chatroom_sidebar.html */ "./src/templates/chatroom_sidebar.html"), __webpack_require__(/*! templates/info.html */ "./src/templates/info.html"), __webpack_require__(/*! templates/list_chatrooms_modal.html */ "./src/templates/list_chatrooms_modal.html"), __webpack_require__(/*! templates/occupant.html */ "./src/templates/occupant.html"), __webpack_require__(/*! templates/room_description.html */ "./src/templates/room_description.html"), __webpack_require__(/*! templates/room_item.html */ "./src/templates/room_item.html"), __webpack_require__(/*! templates/room_panel.html */ "./src/templates/room_panel.html"), __webpack_require__(/*! templates/rooms_results.html */ "./src/templates/rooms_results.html"), __webpack_require__(/*! templates/spinner.html */ "./src/templates/spinner.html"), __webpack_require__(/*! awesomplete */ "awesomplete"), __webpack_require__(/*! converse-modal */ "./src/converse-modal.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), + !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! converse-core */ "./src/converse-core.js"), __webpack_require__(/*! formdata-polyfill */ "./node_modules/formdata-polyfill/FormData.js"), __webpack_require__(/*! utils/muc */ "./src/utils/muc.js"), __webpack_require__(/*! xss */ "./node_modules/xss/dist/xss.js"), __webpack_require__(/*! templates/add_chatroom_modal.html */ "./src/templates/add_chatroom_modal.html"), __webpack_require__(/*! templates/chatarea.html */ "./src/templates/chatarea.html"), __webpack_require__(/*! templates/chatroom.html */ "./src/templates/chatroom.html"), __webpack_require__(/*! templates/chatroom_details_modal.html */ "./src/templates/chatroom_details_modal.html"), __webpack_require__(/*! templates/chatroom_disconnect.html */ "./src/templates/chatroom_disconnect.html"), __webpack_require__(/*! templates/chatroom_features.html */ "./src/templates/chatroom_features.html"), __webpack_require__(/*! templates/chatroom_form.html */ "./src/templates/chatroom_form.html"), __webpack_require__(/*! templates/chatroom_head.html */ "./src/templates/chatroom_head.html"), __webpack_require__(/*! templates/chatroom_invite.html */ "./src/templates/chatroom_invite.html"), __webpack_require__(/*! templates/chatroom_nickname_form.html */ "./src/templates/chatroom_nickname_form.html"), __webpack_require__(/*! templates/chatroom_password_form.html */ "./src/templates/chatroom_password_form.html"), __webpack_require__(/*! templates/chatroom_sidebar.html */ "./src/templates/chatroom_sidebar.html"), __webpack_require__(/*! templates/info.html */ "./src/templates/info.html"), __webpack_require__(/*! templates/list_chatrooms_modal.html */ "./src/templates/list_chatrooms_modal.html"), __webpack_require__(/*! templates/occupant.html */ "./src/templates/occupant.html"), __webpack_require__(/*! templates/room_description.html */ "./src/templates/room_description.html"), __webpack_require__(/*! templates/room_item.html */ "./src/templates/room_item.html"), __webpack_require__(/*! templates/room_panel.html */ "./src/templates/room_panel.html"), __webpack_require__(/*! templates/rooms_results.html */ "./src/templates/rooms_results.html"), __webpack_require__(/*! templates/spinner.html */ "./src/templates/spinner.html"), __webpack_require__(/*! awesomplete */ "awesomplete"), __webpack_require__(/*! converse-modal */ "./src/converse-modal.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); -})(void 0, function (converse, muc_utils, xss, tpl_add_chatroom_modal, tpl_chatarea, tpl_chatroom, tpl_chatroom_details_modal, tpl_chatroom_disconnect, tpl_chatroom_features, tpl_chatroom_form, tpl_chatroom_head, tpl_chatroom_invite, tpl_chatroom_nickname_form, tpl_chatroom_password_form, tpl_chatroom_sidebar, tpl_info, tpl_list_chatrooms_modal, tpl_occupant, tpl_room_description, tpl_room_item, tpl_room_panel, tpl_rooms_results, tpl_spinner, Awesomplete) { +})(void 0, function (converse, _FormData, muc_utils, xss, tpl_add_chatroom_modal, tpl_chatarea, tpl_chatroom, tpl_chatroom_details_modal, tpl_chatroom_disconnect, tpl_chatroom_features, tpl_chatroom_form, tpl_chatroom_head, tpl_chatroom_invite, tpl_chatroom_nickname_form, tpl_chatroom_password_form, tpl_chatroom_sidebar, tpl_info, tpl_list_chatrooms_modal, tpl_occupant, tpl_room_description, tpl_room_item, tpl_room_panel, tpl_rooms_results, tpl_spinner, Awesomplete) { "use strict"; var _converse$env = converse.env, @@ -44982,11 +45582,19 @@ function _instanceof(left, right) { if (right != null && typeof Symbol !== "unde encryptMessage: async function encryptMessage(plaintext) { // The client MUST use fresh, randomly generated key/IV pairs // with AES-128 in Galois/Counter Mode (GCM). - var iv = crypto.getRandomValues(new window.Uint8Array(16)), + // For GCM a 12 byte IV is strongly suggested as other IV lengths + // will require additional calculations. In principle any IV size + // can be used as long as the IV doesn't ever repeat. NIST however + // suggests that only an IV size of 12 bytes needs to be supported + // by implementations. + // + // https://crypto.stackexchange.com/questions/26783/ciphertext-and-tag-size-and-iv-transmission-with-aes-in-gcm-mode + var iv = crypto.getRandomValues(new window.Uint8Array(12)), key = await crypto.subtle.generateKey(KEY_ALGO, true, ["encrypt", "decrypt"]), algo = { 'name': 'AES-GCM', 'iv': iv, + 'additionalData': new Uint8Array(1), 'tagLength': TAG_LENGTH }, encrypted = await crypto.subtle.encrypt(algo, key, u.stringToArrayBuffer(plaintext)), @@ -45008,6 +45616,7 @@ function _instanceof(left, right) { if (right != null && typeof Symbol !== "unde algo = { 'name': "AES-GCM", 'iv': u.base64ToArrayBuffer(obj.iv), + 'additionalData': new Uint8Array(1), 'tagLength': TAG_LENGTH }; return u.arrayBufferToString((await crypto.subtle.decrypt(algo, key_obj, cipher))); @@ -46127,11 +46736,11 @@ var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_ /*global define */ (function (root, factory) { - !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! converse-core */ "./src/converse-core.js"), __webpack_require__(/*! bootstrap */ "./node_modules/bootstrap.native/dist/bootstrap-native-v4.js"), __webpack_require__(/*! templates/alert.html */ "./src/templates/alert.html"), __webpack_require__(/*! templates/chat_status_modal.html */ "./src/templates/chat_status_modal.html"), __webpack_require__(/*! templates/profile_modal.html */ "./src/templates/profile_modal.html"), __webpack_require__(/*! templates/profile_view.html */ "./src/templates/profile_view.html"), __webpack_require__(/*! templates/status_option.html */ "./src/templates/status_option.html"), __webpack_require__(/*! converse-vcard */ "./src/converse-vcard.js"), __webpack_require__(/*! converse-modal */ "./src/converse-modal.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), + !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! converse-core */ "./src/converse-core.js"), __webpack_require__(/*! bootstrap */ "./node_modules/bootstrap.native/dist/bootstrap-native-v4.js"), __webpack_require__(/*! formdata-polyfill */ "./node_modules/formdata-polyfill/FormData.js"), __webpack_require__(/*! templates/alert.html */ "./src/templates/alert.html"), __webpack_require__(/*! templates/chat_status_modal.html */ "./src/templates/chat_status_modal.html"), __webpack_require__(/*! templates/profile_modal.html */ "./src/templates/profile_modal.html"), __webpack_require__(/*! templates/profile_view.html */ "./src/templates/profile_view.html"), __webpack_require__(/*! templates/status_option.html */ "./src/templates/status_option.html"), __webpack_require__(/*! converse-vcard */ "./src/converse-vcard.js"), __webpack_require__(/*! converse-modal */ "./src/converse-modal.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); -})(void 0, function (converse, bootstrap, tpl_alert, tpl_chat_status_modal, tpl_profile_modal, tpl_profile_view, tpl_status_option) { +})(void 0, function (converse, bootstrap, _FormData, tpl_alert, tpl_chat_status_modal, tpl_profile_modal, tpl_profile_view, tpl_status_option) { "use strict"; var _converse$env = converse.env, @@ -48674,11 +49283,11 @@ var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_ // Copyright (c) 2012-2018, the Converse.js developers // Licensed under the Mozilla Public License (MPLv2) (function (root, factory) { - !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! converse-core */ "./src/converse-core.js"), __webpack_require__(/*! templates/add_contact_modal.html */ "./src/templates/add_contact_modal.html"), __webpack_require__(/*! templates/group_header.html */ "./src/templates/group_header.html"), __webpack_require__(/*! templates/pending_contact.html */ "./src/templates/pending_contact.html"), __webpack_require__(/*! templates/requesting_contact.html */ "./src/templates/requesting_contact.html"), __webpack_require__(/*! templates/roster.html */ "./src/templates/roster.html"), __webpack_require__(/*! templates/roster_filter.html */ "./src/templates/roster_filter.html"), __webpack_require__(/*! templates/roster_item.html */ "./src/templates/roster_item.html"), __webpack_require__(/*! templates/search_contact.html */ "./src/templates/search_contact.html"), __webpack_require__(/*! awesomplete */ "awesomplete"), __webpack_require__(/*! converse-chatboxes */ "./src/converse-chatboxes.js"), __webpack_require__(/*! converse-modal */ "./src/converse-modal.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), + !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! converse-core */ "./src/converse-core.js"), __webpack_require__(/*! formdata-polyfill */ "./node_modules/formdata-polyfill/FormData.js"), __webpack_require__(/*! templates/add_contact_modal.html */ "./src/templates/add_contact_modal.html"), __webpack_require__(/*! templates/group_header.html */ "./src/templates/group_header.html"), __webpack_require__(/*! templates/pending_contact.html */ "./src/templates/pending_contact.html"), __webpack_require__(/*! templates/requesting_contact.html */ "./src/templates/requesting_contact.html"), __webpack_require__(/*! templates/roster.html */ "./src/templates/roster.html"), __webpack_require__(/*! templates/roster_filter.html */ "./src/templates/roster_filter.html"), __webpack_require__(/*! templates/roster_item.html */ "./src/templates/roster_item.html"), __webpack_require__(/*! templates/search_contact.html */ "./src/templates/search_contact.html"), __webpack_require__(/*! awesomplete */ "awesomplete"), __webpack_require__(/*! converse-chatboxes */ "./src/converse-chatboxes.js"), __webpack_require__(/*! converse-modal */ "./src/converse-modal.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); -})(void 0, function (converse, tpl_add_contact_modal, tpl_group_header, tpl_pending_contact, tpl_requesting_contact, tpl_roster, tpl_roster_filter, tpl_roster_item, tpl_search_contact, Awesomplete) { +})(void 0, function (converse, _FormData, tpl_add_contact_modal, tpl_group_header, tpl_pending_contact, tpl_requesting_contact, tpl_roster, tpl_roster_filter, tpl_roster_item, tpl_search_contact, Awesomplete) { "use strict"; var _converse$env = converse.env, @@ -50192,7 +50801,7 @@ var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_ /*global define */ (function (root, factory) { - !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! es6-promise */ "es6-promise"), __webpack_require__(/*! jed */ "./node_modules/jed/jed.js"), __webpack_require__(/*! lodash.noconflict */ "lodash.noconflict"), __webpack_require__(/*! moment */ "moment"), __webpack_require__(/*! moment/locale/af */ "./node_modules/moment/locale/af.js"), __webpack_require__(/*! moment/locale/ar */ "./node_modules/moment/locale/ar.js"), __webpack_require__(/*! moment/locale/bg */ "./node_modules/moment/locale/bg.js"), __webpack_require__(/*! moment/locale/ca */ "./node_modules/moment/locale/ca.js"), __webpack_require__(/*! moment/locale/cs */ "./node_modules/moment/locale/cs.js"), __webpack_require__(/*! moment/locale/de */ "./node_modules/moment/locale/de.js"), __webpack_require__(/*! moment/locale/es */ "./node_modules/moment/locale/es.js"), __webpack_require__(/*! moment/locale/eu */ "./node_modules/moment/locale/eu.js"), __webpack_require__(/*! moment/locale/fr */ "./node_modules/moment/locale/fr.js"), __webpack_require__(/*! moment/locale/he */ "./node_modules/moment/locale/he.js"), __webpack_require__(/*! moment/locale/hu */ "./node_modules/moment/locale/hu.js"), __webpack_require__(/*! moment/locale/id */ "./node_modules/moment/locale/id.js"), __webpack_require__(/*! moment/locale/it */ "./node_modules/moment/locale/it.js"), __webpack_require__(/*! moment/locale/ja */ "./node_modules/moment/locale/ja.js"), __webpack_require__(/*! moment/locale/nb */ "./node_modules/moment/locale/nb.js"), __webpack_require__(/*! moment/locale/nl */ "./node_modules/moment/locale/nl.js"), __webpack_require__(/*! moment/locale/pl */ "./node_modules/moment/locale/pl.js"), __webpack_require__(/*! moment/locale/pt-br */ "./node_modules/moment/locale/pt-br.js"), __webpack_require__(/*! moment/locale/ru */ "./node_modules/moment/locale/ru.js"), __webpack_require__(/*! moment/locale/tr */ "./node_modules/moment/locale/tr.js"), __webpack_require__(/*! moment/locale/uk */ "./node_modules/moment/locale/uk.js"), __webpack_require__(/*! moment/locale/zh-cn */ "./node_modules/moment/locale/zh-cn.js"), __webpack_require__(/*! moment/locale/zh-tw */ "./node_modules/moment/locale/zh-tw.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), + !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! es6-promise */ "es6-promise"), __webpack_require__(/*! jed */ "./node_modules/jed/jed.js"), __webpack_require__(/*! lodash.noconflict */ "lodash.noconflict"), __webpack_require__(/*! moment */ "moment"), __webpack_require__(/*! moment/locale/af */ "./node_modules/moment/locale/af.js"), __webpack_require__(/*! moment/locale/ar */ "./node_modules/moment/locale/ar.js"), __webpack_require__(/*! moment/locale/bg */ "./node_modules/moment/locale/bg.js"), __webpack_require__(/*! moment/locale/ca */ "./node_modules/moment/locale/ca.js"), __webpack_require__(/*! moment/locale/cs */ "./node_modules/moment/locale/cs.js"), __webpack_require__(/*! moment/locale/de */ "./node_modules/moment/locale/de.js"), __webpack_require__(/*! moment/locale/es */ "./node_modules/moment/locale/es.js"), __webpack_require__(/*! moment/locale/eu */ "./node_modules/moment/locale/eu.js"), __webpack_require__(/*! moment/locale/fr */ "./node_modules/moment/locale/fr.js"), __webpack_require__(/*! moment/locale/he */ "./node_modules/moment/locale/he.js"), __webpack_require__(/*! moment/locale/hi */ "./node_modules/moment/locale/hi.js"), __webpack_require__(/*! moment/locale/hu */ "./node_modules/moment/locale/hu.js"), __webpack_require__(/*! moment/locale/id */ "./node_modules/moment/locale/id.js"), __webpack_require__(/*! moment/locale/it */ "./node_modules/moment/locale/it.js"), __webpack_require__(/*! moment/locale/ja */ "./node_modules/moment/locale/ja.js"), __webpack_require__(/*! moment/locale/nb */ "./node_modules/moment/locale/nb.js"), __webpack_require__(/*! moment/locale/nl */ "./node_modules/moment/locale/nl.js"), __webpack_require__(/*! moment/locale/pl */ "./node_modules/moment/locale/pl.js"), __webpack_require__(/*! moment/locale/pt-br */ "./node_modules/moment/locale/pt-br.js"), __webpack_require__(/*! moment/locale/ro */ "./node_modules/moment/locale/ro.js"), __webpack_require__(/*! moment/locale/ru */ "./node_modules/moment/locale/ru.js"), __webpack_require__(/*! moment/locale/tr */ "./node_modules/moment/locale/tr.js"), __webpack_require__(/*! moment/locale/uk */ "./node_modules/moment/locale/uk.js"), __webpack_require__(/*! moment/locale/zh-cn */ "./node_modules/moment/locale/zh-cn.js"), __webpack_require__(/*! moment/locale/zh-tw */ "./node_modules/moment/locale/zh-tw.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); @@ -50572,9 +51181,9 @@ return __p var _ = {escape:__webpack_require__(/*! ./node_modules/lodash/escape.js */ "./node_modules/lodash/escape.js")}; module.exports = function(o) { var __t, __p = '', __e = _.escape; -__p += '\n\n\n' + __e(o.label_download) + @@ -52475,13 +53084,13 @@ __e(o.__('Save and close')) + if (o._converse.pluggable.plugins['converse-omemo'].enabled(o._converse)) { ; __p += '\n
\n
\n
    \n
  • ' + __e(o.__("This device's OMEMO fingerprint")) + -'
  • \n
  • \n '; - if (o.view.current_device.get('bundle') && o.view.current_device.get('bundle').fingerprint) { ; +'
  • \n
  • \n '; + if (o.view.current_device && o.view.current_device.get('bundle') && o.view.current_device.get('bundle').fingerprint) { ; __p += '\n ' + __e(o.utils.formatFingerprint(o.view.current_device.get('bundle').fingerprint)) + -'\n '; +'\n '; } else {; -__p += '\n \n '; +__p += '\n \n '; } ; __p += '\n
  • \n
\n '; if (o.view.other_devices.length) { ; @@ -53627,9 +54236,9 @@ return __p var _ = {escape:__webpack_require__(/*! ./node_modules/lodash/escape.js */ "./node_modules/lodash/escape.js")}; module.exports = function(o) { var __t, __p = '', __e = _.escape; -__p += '\n\n
\n' + __e(o.label_download) + @@ -53683,12 +54292,12 @@ function _instanceof(left, right) { if (right != null && typeof Symbol !== "unde /*global define, escape, window, Uint8Array */ (function (root, factory) { if (true) { - !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! sizzle */ "./node_modules/sizzle/dist/sizzle.js"), __webpack_require__(/*! es6-promise */ "es6-promise"), __webpack_require__(/*! lodash.noconflict */ "lodash.noconflict"), __webpack_require__(/*! backbone */ "./node_modules/backbone/backbone.js"), __webpack_require__(/*! strophe */ "strophe"), __webpack_require__(/*! uri */ "./node_modules/urijs/src/URI.js"), __webpack_require__(/*! templates/audio.html */ "./src/templates/audio.html"), __webpack_require__(/*! templates/file.html */ "./src/templates/file.html"), __webpack_require__(/*! templates/image.html */ "./src/templates/image.html"), __webpack_require__(/*! templates/video.html */ "./src/templates/video.html")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), + !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! sizzle */ "./node_modules/sizzle/dist/sizzle.js"), __webpack_require__(/*! es6-promise */ "es6-promise"), __webpack_require__(/*! fast-text-encoding */ "./node_modules/fast-text-encoding/text.js"), __webpack_require__(/*! lodash.noconflict */ "lodash.noconflict"), __webpack_require__(/*! backbone */ "./node_modules/backbone/backbone.js"), __webpack_require__(/*! strophe */ "strophe"), __webpack_require__(/*! uri */ "./node_modules/urijs/src/URI.js"), __webpack_require__(/*! templates/audio.html */ "./src/templates/audio.html"), __webpack_require__(/*! templates/file.html */ "./src/templates/file.html"), __webpack_require__(/*! templates/image.html */ "./src/templates/image.html"), __webpack_require__(/*! templates/video.html */ "./src/templates/video.html")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); } else { var Strophe; } -})(void 0, function (sizzle, Promise, _, Backbone, Strophe, URI, tpl_audio, tpl_file, tpl_image, tpl_video) { +})(void 0, function (sizzle, Promise, FastTextEncoding, _, Backbone, Strophe, URI, tpl_audio, tpl_file, tpl_image, tpl_video) { "use strict"; Strophe = Strophe.Strophe; @@ -53957,28 +54566,29 @@ function _instanceof(left, right) { if (right != null && typeof Symbol !== "unde u.renderFileURL = function (_converse, url) { var uri = new URI(url), - __ = _converse.__, filename = uri.filename(), lower_filename = filename.toLowerCase(); - if (!_.includes(["https", "http"], uri.protocol().toLowerCase()) || lower_filename.endsWith('mp3') || lower_filename.endsWith('mp4') || lower_filename.endsWith('jpg') || lower_filename.endsWith('jpeg') || lower_filename.endsWith('png') || lower_filename.endsWith('gif') || lower_filename.endsWith('svg')) { + if (!_.includes(["https", "http"], uri.protocol().toLowerCase()) || lower_filename.endsWith('mp3') || lower_filename.endsWith('mp4') || lower_filename.endsWith('ogg') || lower_filename.endsWith('jpg') || lower_filename.endsWith('jpeg') || lower_filename.endsWith('png') || lower_filename.endsWith('gif') || lower_filename.endsWith('m4a') || lower_filename.endsWith('webm') || lower_filename.endsWith('svg')) { return url; } + var __ = _converse.__; return tpl_file({ 'url': url, - 'label_download': __('Download "%1$s"', uri.filename()) + 'label_download': __('Download file "%1$s"', decodeURI(filename)) }); }; u.renderImageURL = function (_converse, url) { - var __ = _converse.__, - lurl = url.toLowerCase(); + var lurl = url.toLowerCase(); if (lurl.endsWith('jpg') || lurl.endsWith('jpeg') || lurl.endsWith('png') || lurl.endsWith('gif') || lurl.endsWith('svg')) { + var __ = _converse.__, + uri = new URI(url); return tpl_image({ 'url': url, - 'label_download': __('Download') + 'label_download': __('Download image "%1$s"', decodeURI(uri.filename())) }); } @@ -53986,12 +54596,12 @@ function _instanceof(left, right) { if (right != null && typeof Symbol !== "unde }; u.renderMovieURL = function (_converse, url) { - var __ = _converse.__; - - if (url.endsWith('mp4')) { + if (url.endsWith('mp4') || url.endsWith('webm')) { + var __ = _converse.__, + uri = new URI(url); return tpl_video({ 'url': url, - 'label_download': __('Download video file') + 'label_download': __('Download video file "%1$s"', decodeURI(uri.filename())) }); } @@ -53999,12 +54609,12 @@ function _instanceof(left, right) { if (right != null && typeof Symbol !== "unde }; u.renderAudioURL = function (_converse, url) { - var __ = _converse.__; - - if (url.endsWith('mp3')) { + if (url.endsWith('mp3') || url.endsWith('m4a') || url.endsWith('ogg')) { + var __ = _converse.__, + uri = new URI(url); return tpl_audio({ 'url': url, - 'label_download': __('Download audio file') + 'label_download': __('Download audio file "%1$s"', decodeURI(uri.filename())) }); } @@ -54545,19 +55155,11 @@ function _instanceof(left, right) { if (right != null && typeof Symbol !== "unde }; u.arrayBufferToString = function (ab) { - return new Uint8Array(ab).reduce(function (data, byte) { - return data + String.fromCharCode(byte); - }, ''); + return new TextDecoder("utf-8").decode(ab); }; u.stringToArrayBuffer = function (string) { - var len = string.length, - bytes = new Uint8Array(len); - - for (var i = 0; i < len; i++) { - bytes[i] = string.charCodeAt(i); - } - + var bytes = new TextEncoder("utf-8").encode(string); return bytes.buffer; }; diff --git a/dist/converse.js b/dist/converse.js index 11cb9d17b..70d29de48 100644 --- a/dist/converse.js +++ b/dist/converse.js @@ -63668,7 +63668,7 @@ var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_ jid: undefined, keepalive: true, locales_url: 'locale/{{{locale}}}/LC_MESSAGES/converse.json', - locales: ['af', 'ar', 'bg', 'ca', 'cs', 'de', 'es', 'eu', 'en', 'fr', 'he', 'hu', 'id', 'it', 'ja', 'nb', 'nl', 'pl', 'pt_BR', 'ru', 'tr', 'uk', 'zh_CN', 'zh_TW'], + locales: ['af', 'ar', 'bg', 'ca', 'cs', 'de', 'es', 'eu', 'en', 'fr', 'he', 'hi', 'hu', 'id', 'it', 'ja', 'nb', 'nl', 'pl', 'pt_BR', 'ro', 'ru', 'tr', 'uk', 'zh_CN', 'zh_TW'], message_carbons: true, nickname: undefined, password: undefined, @@ -78171,7 +78171,7 @@ var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_ /*global define */ (function (root, factory) { - !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! es6-promise */ "./node_modules/es6-promise/dist/es6-promise.auto.js"), __webpack_require__(/*! jed */ "./node_modules/jed/jed.js"), __webpack_require__(/*! lodash.noconflict */ "./src/lodash.noconflict.js"), __webpack_require__(/*! moment */ "./node_modules/moment/moment.js"), __webpack_require__(/*! moment/locale/af */ "./node_modules/moment/locale/af.js"), __webpack_require__(/*! moment/locale/ar */ "./node_modules/moment/locale/ar.js"), __webpack_require__(/*! moment/locale/bg */ "./node_modules/moment/locale/bg.js"), __webpack_require__(/*! moment/locale/ca */ "./node_modules/moment/locale/ca.js"), __webpack_require__(/*! moment/locale/cs */ "./node_modules/moment/locale/cs.js"), __webpack_require__(/*! moment/locale/de */ "./node_modules/moment/locale/de.js"), __webpack_require__(/*! moment/locale/es */ "./node_modules/moment/locale/es.js"), __webpack_require__(/*! moment/locale/eu */ "./node_modules/moment/locale/eu.js"), __webpack_require__(/*! moment/locale/fr */ "./node_modules/moment/locale/fr.js"), __webpack_require__(/*! moment/locale/he */ "./node_modules/moment/locale/he.js"), __webpack_require__(/*! moment/locale/hu */ "./node_modules/moment/locale/hu.js"), __webpack_require__(/*! moment/locale/id */ "./node_modules/moment/locale/id.js"), __webpack_require__(/*! moment/locale/it */ "./node_modules/moment/locale/it.js"), __webpack_require__(/*! moment/locale/ja */ "./node_modules/moment/locale/ja.js"), __webpack_require__(/*! moment/locale/nb */ "./node_modules/moment/locale/nb.js"), __webpack_require__(/*! moment/locale/nl */ "./node_modules/moment/locale/nl.js"), __webpack_require__(/*! moment/locale/pl */ "./node_modules/moment/locale/pl.js"), __webpack_require__(/*! moment/locale/pt-br */ "./node_modules/moment/locale/pt-br.js"), __webpack_require__(/*! moment/locale/ru */ "./node_modules/moment/locale/ru.js"), __webpack_require__(/*! moment/locale/tr */ "./node_modules/moment/locale/tr.js"), __webpack_require__(/*! moment/locale/uk */ "./node_modules/moment/locale/uk.js"), __webpack_require__(/*! moment/locale/zh-cn */ "./node_modules/moment/locale/zh-cn.js"), __webpack_require__(/*! moment/locale/zh-tw */ "./node_modules/moment/locale/zh-tw.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), + !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(/*! es6-promise */ "./node_modules/es6-promise/dist/es6-promise.auto.js"), __webpack_require__(/*! jed */ "./node_modules/jed/jed.js"), __webpack_require__(/*! lodash.noconflict */ "./src/lodash.noconflict.js"), __webpack_require__(/*! moment */ "./node_modules/moment/moment.js"), __webpack_require__(/*! moment/locale/af */ "./node_modules/moment/locale/af.js"), __webpack_require__(/*! moment/locale/ar */ "./node_modules/moment/locale/ar.js"), __webpack_require__(/*! moment/locale/bg */ "./node_modules/moment/locale/bg.js"), __webpack_require__(/*! moment/locale/ca */ "./node_modules/moment/locale/ca.js"), __webpack_require__(/*! moment/locale/cs */ "./node_modules/moment/locale/cs.js"), __webpack_require__(/*! moment/locale/de */ "./node_modules/moment/locale/de.js"), __webpack_require__(/*! moment/locale/es */ "./node_modules/moment/locale/es.js"), __webpack_require__(/*! moment/locale/eu */ "./node_modules/moment/locale/eu.js"), __webpack_require__(/*! moment/locale/fr */ "./node_modules/moment/locale/fr.js"), __webpack_require__(/*! moment/locale/he */ "./node_modules/moment/locale/he.js"), __webpack_require__(/*! moment/locale/hi */ "./node_modules/moment/locale/hi.js"), __webpack_require__(/*! moment/locale/hu */ "./node_modules/moment/locale/hu.js"), __webpack_require__(/*! moment/locale/id */ "./node_modules/moment/locale/id.js"), __webpack_require__(/*! moment/locale/it */ "./node_modules/moment/locale/it.js"), __webpack_require__(/*! moment/locale/ja */ "./node_modules/moment/locale/ja.js"), __webpack_require__(/*! moment/locale/nb */ "./node_modules/moment/locale/nb.js"), __webpack_require__(/*! moment/locale/nl */ "./node_modules/moment/locale/nl.js"), __webpack_require__(/*! moment/locale/pl */ "./node_modules/moment/locale/pl.js"), __webpack_require__(/*! moment/locale/pt-br */ "./node_modules/moment/locale/pt-br.js"), __webpack_require__(/*! moment/locale/ro */ "./node_modules/moment/locale/ro.js"), __webpack_require__(/*! moment/locale/ru */ "./node_modules/moment/locale/ru.js"), __webpack_require__(/*! moment/locale/tr */ "./node_modules/moment/locale/tr.js"), __webpack_require__(/*! moment/locale/uk */ "./node_modules/moment/locale/uk.js"), __webpack_require__(/*! moment/locale/zh-cn */ "./node_modules/moment/locale/zh-cn.js"), __webpack_require__(/*! moment/locale/zh-tw */ "./node_modules/moment/locale/zh-tw.js")], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); diff --git a/locale/ar/LC_MESSAGES/converse.json b/locale/ar/LC_MESSAGES/converse.json index 81fa77489..37ab4cd98 100644 --- a/locale/ar/LC_MESSAGES/converse.json +++ b/locale/ar/LC_MESSAGES/converse.json @@ -1 +1 @@ -{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;","lang":"ar"},"Bookmark this groupchat":["إضافة فريق المحادثة هذا إلى الفواصل المرجعية"],"The name for this bookmark:":["تسمية الفاصلة المرجعية :"],"Would you like this groupchat to be automatically joined upon startup?":["هل تريد الإلتحاق آليًا بفريق المحادثة هذا مباشَرةً بعد الإتصال ؟"],"What should your nickname for this groupchat be?":["ما هو الإسم المُستعار الذي تريد استخدامه في فريق المحادثة هذا ؟"],"Save":["حفظ"],"Cancel":["إلغاء"],"Are you sure you want to remove the bookmark \"%1$s\"?":["هل أنت متأكد أنك تريد إزالة الفاصلة المرجعية \"%1$s\" ؟"],"Error":["خطأ"],"Sorry, something went wrong while trying to save your bookmark.":["المعذرة، لقد طرأ هناك خطأ أثناء محاولة الإحتفاظ بالفواصل المرجعية."],"Leave this groupchat":["مغادرة فريق المحادثة"],"Remove this bookmark":["إزالة هذه الفاصلة المرجعية"],"Unbookmark this groupchat":["تنحية فريق المحادثة مِن الفواصل المرجعية"],"Show more information on this groupchat":["عرض المزيد مِن التفاصيل عن فريق المحادثة هذا"],"Click to open this groupchat":["أنقر لفتح فريق المحادثة هذا"],"Click to toggle the bookmarks list":["أنقر للإنتقال إلى قائمة الإشارات المرجعية"],"Bookmarks":["الفواصل المرجعية"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["للأسف لم نتمكّن مِن القيام برفع ملفك بنجاح. أجاب خادومك : \"%1$s\""],"Sorry, could not succesfully upload your file.":["للأسف لم نتمكّن مِن القيام برفع ملفك بنجاح."],"Sorry, looks like file upload is not supported by your server.":["للأسف يبدو أن خاصية رفع الملفات لا يدعمها خادومكم."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":["عذراً، حدث خطأ:"],"Close this chat box":["إغلق نافذة المحادثة هذه"],"Are you sure you want to remove this contact?":["هل أنت متأكد أنك تريد حذف هذا المراسل ؟"],"Sorry, there was an error while trying to remove %1$s as a contact.":[""],"You have unread messages":["لقد ورَدَت إليك رسائل غير مقروءة"],"Hidden message":["رسالة مخفية"],"Message":["رسالة"],"Send":["إرسل"],"Optional hint":["دليل إختياري"],"Choose a file to send":["إختر الملف الذي تود إرساله"],"Click to write as a normal (non-spoiler) message":[""],"Click to write your message as a spoiler":[""],"Clear all messages":["تنظيف كافة الرسائل"],"Insert emojis":["إدراج وجه مبتسم"],"Start a call":["إبدأ مكالمة"],"Remove messages":["حذف الرسائل"],"Write in the third person":["كتب كأنه شخص ثالث"],"Show this menu":["إظهار هذه القائمة"],"Are you sure you want to clear the messages from this conversation?":["هل أنت متأكد أنك تود مسح الرسائل مِن نافذة المحادثة هذه ؟"],"%1$s has gone offline":["%1$s قد قطع الإتصال"],"%1$s has gone away":["%1$s قد غاب"],"%1$s is busy":["%1$s مشغول"],"%1$s is online":["%1$s متصل"],"Username":["إسم المستخدِم"],"user@domain":["user@domain"],"Please enter a valid XMPP address":["يرجى إدخال عنوان XMPP صالح"],"Chat Contacts":["جهات الإتصال"],"Toggle chat":["الإنتقال إلى الدردشة"],"The connection has dropped, attempting to reconnect.":["لقد إنقطع الإتصال، عملية إعادة الربط جارية."],"An error occurred while connecting to the chat server.":["طرأ هناك خطأ أنثاء الربط بخادوم المحادثة."],"Your Jabber ID and/or password is incorrect. Please try again.":["مُعرِّف جابر الخاص بك أو كلمتك السرية خاطئة. يرجى إعادة المحاولة ثانية."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["عذرا، لم نتمكن مِن الإتصال بخادوم XMPP عبر النطاق : %1$s"],"The XMPP server did not offer a supported authentication mechanism":[""],"Show more":["عرض المزيد"],"Typing from another device":["يكتب عبر جهاز آخَر"],"%1$s is typing":["%1$s يكتب حاليا"],"Stopped typing on the other device":["توقّف عن الكتابة عبر الجهاز الآخَر"],"%1$s has stopped typing":["%1$s توقّفَ عن الكتابة"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["تصغير نافذة المحادثة هذه"],"Click to restore this chat":["أنقر لاستعادة هذه المحادثة"],"Minimized":["تصغير"],"This groupchat is not anonymous":["فريق المحادثة هذا ليس مجهولًا"],"This groupchat now shows unavailable members":["فريق المحادثة هذا يعرض الآن الأعضاء المشغولين"],"This groupchat does not show unavailable members":["فريق المحادثة هذا لا يعرض الأعضاء المشغولين"],"The groupchat configuration has changed":["تم تعديل خيارات فريق المحادثة"],"groupchat logging is now enabled":["الإلتحاق بفريق المحادثة مسموح الآن للجميع"],"groupchat logging is now disabled":["تم تعطيل امكانية الإلتحاق بفريق المحادثة"],"This groupchat is now no longer anonymous":["لم يَعُد فريق المحادثة مجهولا بعد الآن"],"This groupchat is now semi-anonymous":["أصبح فريق المحادثة مجهولا نسبيًا"],"This groupchat is now fully-anonymous":["أصبح فريق المحادثة الآن مجهولا تمامًا"],"A new groupchat has been created":["تم إنشاء فريق محادثة جديد"],"You have been banned from this groupchat":["لقد تم طردُك مِن فريق المحادثة هذا"],"You have been kicked from this groupchat":["لقد تم طردُك مؤقتًا مِن فريق المحادثة هذا"],"You have been removed from this groupchat because of an affiliation change":[""],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":[""],"You have been removed from this groupchat because the service hosting it is being shut down":[""],"%1$s has been banned":["لقد تم طرد %1$s"],"%1$s's nickname has changed":["لقد قام %1$s بتغيير إسمه المُستعار"],"%1$s has been kicked out":["لقد تم طرد %1$s مِن غرفة المحادثة مؤقتًا"],"%1$s has been removed because of an affiliation change":[""],"%1$s has been removed for not being a member":["تمت إزالة %1$s لأنه ليس عضو مُنتم إلى الغرفة"],"Your nickname has been automatically set to %1$s":["لقد تم تغيير إسمك المستعار آليا إلى %1$s"],"Your nickname has been changed to %1$s":["لقد تم تغيير إسمك المُستعار إلى %1$s"],"Description:":["التفاصيل :"],"Groupchat Address (JID):":["عنوان فريق المحادثة (JID) :"],"Participants:":["المشتركون :"],"Features:":["الميزات :"],"Requires authentication":["يتطلّب المصادقة"],"Hidden":["خفية"],"Requires an invitation":["تستلزم دعوة"],"Moderated":["تحت الإشراف"],"Non-anonymous":["غير مجهولة"],"Open":["مفتوحة"],"Permanent":["دائم"],"Public":["عمومية"],"Semi-anonymous":["مجهولة نسبيًا"],"Temporary":["مُؤقّتة"],"Unmoderated":["ليست تحت الإشراف"],"Query for Groupchats":["البحث عن فِرق محادثة"],"Server address":["عنوان الخادوم"],"Show groupchats":["عرض فِرَق المحادثة"],"conference.example.org":["conference.example.org"],"No groupchats found":["لم يتم العثور على أي فريق محادثة"],"Groupchat address":["عنوان فريق المحادثة"],"Optional nickname":["إسم مستعار اختياري"],"name@conference.example.org":["name@conference.example.org"],"Join":["الإلتحاق بالغرفة"],"Groupchat info for %1$s":[""],"%1$s is no longer a moderator":["لم يعُد %1$s مِن المُشْرِفين"],"%1$s has been muted":["تم كتم %1$s"],"%1$s is now a moderator":["أصبح %1$s مُشرفًا"],"Close and leave this groupchat":["إغلاق فريق المحادثة هذا و مغادرته"],"Configure this groupchat":["إعداد فريق المحادثة"],"Show more details about this groupchat":["عرض المزيد مِن التفاصيل عن فريق المحادثة هذا"],"Hide the list of participants":["إخفاء قائمة المشاركين"],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":[""],"Ban user from groupchat":["طرد المستخدِم من فريق المحادثة"],"Change user role to participant":["تغيير دور المستخدِم إلى مُشترِك"],"Kick user from groupchat":["طرد المستخدِم مؤقتًا مِن فريق المحادثة"],"Write in 3rd person":[""],"Grant membership to a user":["منح صفة العضوية لمستخدِم"],"Remove user's ability to post messages":["منع المستخدم مِن بعث رسائل"],"Change your nickname":["غيّر إسمك المُستعار"],"Grant moderator role to user":["ترقية المستخدِم إلى رتبة مشرف"],"Grant ownership of this groupchat":["منح صفة ملكية فريق المحادثة للمستخدِم"],"Revoke user's membership":["إسقاط صفة العضوية مِن المستخدِم"],"Set groupchat subject":["تحديد موضوع فريق المحادثة"],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":["السماح للمستخدم المكتوم نشر رسائل"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["إنّ الإسم المستعار الذي قمت باختياره محجوز أو مُستعمَل حاليا مِن طرف شخص آخَر، يُرجى اختيار إسمٍ آخَر."],"Please choose your nickname":["يرجى اختيار إسمك المُستعار"],"Nickname":["الإسم المُستعار"],"Enter groupchat":["الإلتحاق بفريق المحادثة"],"This groupchat requires a password":["فريق المحادثة مؤمَّن بكلمة سرية"],"Password: ":["كلمة السر : "],"Submit":["إرسال"],"This action was done by %1$s.":["قام %1$s بهذا الإجراء."],"The reason given is: \"%1$s\".":["السبب : \"%1$s\"."],"No nickname was specified.":["لم تقم باختيار أي إسم مستعار."],"Remote server not found":[""],"Topic set by %1$s":["قام %1$s بتحديد الموضوع"],"Click to mention %1$s in your message.":["أنقر للإشارة إلى %1$s في رسالتك."],"This user is a moderator.":["إنّ هذا المستخدِم مشرف في الغرفة."],"Visitor":[""],"Owner":[""],"Admin":[""],"Participants":[""],"Invite":["دعوة"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":[""],"Please enter a valid XMPP username":["يُرجى إدخال إسم مستخدِم XMPP صحيح"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["إشعار مِن %1$s"],"%1$s says":["%1$s قال"],"has gone offline":["قد قطع الإتصال"],"has gone away":["قد غاب"],"is busy":["مشغول"],"has come online":["صار مُتّصلا الآن"],"wants to be your contact":["يُريد أن يُصبح مُراسلك"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":["ملفك الشخصي"],"Close":["إغلاق"],"Email":["البريد الإلكتروني"],"Full Name":["الإسم الكامل"],"Role":["الدور"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":["عنوان الرابط"],"You can check your browser's developer console for any error output.":[""],"Away":["غائب"],"Busy":["مشغول"],"Custom status":["حالتك الخاصة"],"Offline":["غير متصل"],"Online":["مُتّصل"],"Away for long":["غائب لمدة قد تطول"],"Change chat status":["أنقر لتغيير حالة الدردشة"],"Personal status message":["رسالة الحالة الخاصة"],"I am %1$s":["أنا %1$s"],"Change settings":["تغيير الإعدادات"],"Click to change your chat status":["أنقر لتغيير حالتك للدردشة"],"Log out":["الخروج"],"Your profile":["ملفك الشخصي"],"Are you sure you want to log out?":["هل أنت متأكد أنك تريد الخروج ؟"],"online":["متصل"],"busy":["مشغول"],"away for long":["غائب لمدة قد تطول"],"away":["غائب"],"offline":["غير متصل"]," e.g. conversejs.org":[" مثال conversejs.org"],"Fetch registration form":["جارٍ جلب استمارة التسجيل"],"Tip: A list of public XMPP providers is available":[""],"here":["هنا"],"Sorry, we're unable to connect to your chosen provider.":["المعذرة، لم نتمكن بربطك بموفر خدمة المحادثة الذي قمت باختياره."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":[""],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":[""],"Now logging you in":["جارٍ تسجيل دخولك الآن"],"Registered successfully":["تم تسجيل حسابك بنجاح"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":[""],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["المعذرة، لقد حدث هناك خطأ أثناء محاولة إضافة %1$s كمُراسِل."],"This client does not allow presence subscriptions":[""],"Click to hide these contacts":["أْنقُر لإخفاء هؤلاء المراسلين"],"This contact is busy":["إنّ المُراسَل مشغول"],"This contact is online":["إنّ هذا المُراسَل غير مُتصل"],"This contact is offline":["هذا المراسل غير متصل"],"This contact is unavailable":["إنّ هذا المراسَل غير متوفر"],"This contact is away for an extended period":["لقد غاب هذا المستخدِم ثانية لفترة أطوَل"],"This contact is away":["إنّ هذا المراسَل غائب"],"Groups":["الفِرَق"],"My contacts":["جهات إتصالي"],"Pending contacts":["المُراسلون المُعلّقون"],"Contact requests":["طلبات التراسل"],"Ungrouped":[""],"Contact name":["إسم المراسل"],"Add a Contact":["إضافة مراسل"],"XMPP Address":["عنوان XMPP"],"name@example.org":["name@example.org"],"Add":["إضافة"],"Filter":["عامل التصفية"],"Filter by contact name":["فرز حسب اسم جهة الاتصال"],"Filter by group name":["فرز حسب اسم المجموعة"],"Filter by status":["تصنيف حسب الحالة"],"Any":["الكل"],"Unread":["غير مقروءة"],"Chatty":["كثيرة الدردشة"],"Extended Away":[""],"Click to remove %1$s as a contact":["أنقر لإزالة %1$s مِن قائمة مراسليك"],"Click to accept the contact request from %1$s":["أنقر لقبول طلب التراسل مع %1$s"],"Click to decline the contact request from %1$s":["أنقر لرفض طلب التراسل مع %1$s"],"Click to chat with %1$s (JID: %2$s)":["أنقر للتحدث مع %1$s (JID : %2$s)"],"Are you sure you want to decline this contact request?":["هل أنت متأكد أنك تود رفض طلب التراسل مع هذا المستخدِم ؟"],"Contacts":["جهات الإتصال"],"Add a contact":["إضافة مراسل"],"Name":[""],"Topic":[""],"Topic author":[""],"Features":["الميزات"],"Password protected":["مؤمَّنة بكلمة سرية"],"Members only":["الأعضاء فقط"],"Persistent":["دائمة"],"Only moderators can see your XMPP username":["بإمكان المشرفين فقط رؤية إسم XMPP الخاص بك"],"Message archiving":["أرشفة الرسائل"],"Messages are archived on the server":["الرسائل محفوظة على الخادوم"],"No password":["بدون كلمة سرية"],"XMPP Username:":["إسم المستخدِم :"],"Password:":["كلمة السر :"],"password":["كلمة السر"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["أُنقُر لتسجيل الدخول كشخص مجهول"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["لا تمتلك حسابًا للمحادثة بعدُ ؟"],"Create an account":["أنشئ حسابًا"],"Create your account":["إنشئ حسابك"],"Please enter the XMPP provider to register with:":["يرجى إدخال مزود خدمة XMPP الذي تود إنشاء حسابك فيه :"],"Already have a chat account?":["عندك حساب مُحادثة ؟"],"Log in here":["قم بتسجيل الدخول هنا"],"Account Registration:":["إنشاء حساب :"],"Register":["تسجيل حساب"],"Choose a different provider":["إختر مزود خدمة آخَر"],"Hold tight, we're fetching the registration form…":["تحلى بالصبر، جارٍ جلب استمارة التسجيل …"],"Messages are being sent in plaintext":[""],"The User's Profile Image":["الصورة الشخصية للمستخدم"],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Remove as contact":["إزالة مِن المراسِلين"],"Refresh":["تحديث"],"Download":["تنزيل"],"Download video file":["تنزيل ملف الفيديو"],"Download audio file":["تنزيل ملف صوتي"]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;","lang":"ar"},"Bookmark this groupchat":["إضافة فريق المحادثة هذا إلى الفواصل المرجعية"],"The name for this bookmark:":["تسمية الفاصلة المرجعية :"],"Would you like this groupchat to be automatically joined upon startup?":["هل تريد الإلتحاق آليًا بفريق المحادثة هذا مباشَرةً بعد الإتصال ؟"],"What should your nickname for this groupchat be?":["ما هو الإسم المُستعار الذي تريد استخدامه في فريق المحادثة هذا ؟"],"Save":["حفظ"],"Cancel":["إلغاء"],"Are you sure you want to remove the bookmark \"%1$s\"?":["هل أنت متأكد أنك تريد إزالة الفاصلة المرجعية \"%1$s\" ؟"],"Error":["خطأ"],"Sorry, something went wrong while trying to save your bookmark.":["المعذرة، لقد طرأ هناك خطأ أثناء محاولة الإحتفاظ بالفواصل المرجعية."],"Leave this groupchat":["مغادرة فريق المحادثة"],"Remove this bookmark":["إزالة هذه الفاصلة المرجعية"],"Unbookmark this groupchat":["تنحية فريق المحادثة مِن الفواصل المرجعية"],"Show more information on this groupchat":["عرض المزيد مِن التفاصيل عن فريق المحادثة هذا"],"Click to open this groupchat":["أنقر لفتح فريق المحادثة هذا"],"Click to toggle the bookmarks list":["أنقر للإنتقال إلى قائمة الإشارات المرجعية"],"Bookmarks":["الفواصل المرجعية"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["للأسف لم نتمكّن مِن القيام برفع ملفك بنجاح. أجاب خادومك : \"%1$s\""],"Sorry, could not succesfully upload your file.":["للأسف لم نتمكّن مِن القيام برفع ملفك بنجاح."],"Sorry, looks like file upload is not supported by your server.":["للأسف يبدو أن خاصية رفع الملفات لا يدعمها خادومكم."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":["عذراً، حدث خطأ:"],"Close this chat box":["إغلق نافذة المحادثة هذه"],"Are you sure you want to remove this contact?":["هل أنت متأكد أنك تريد حذف هذا المراسل ؟"],"Sorry, there was an error while trying to remove %1$s as a contact.":[""],"You have unread messages":["لقد ورَدَت إليك رسائل غير مقروءة"],"Hidden message":["رسالة مخفية"],"Message":["رسالة"],"Send":["إرسل"],"Optional hint":["دليل إختياري"],"Choose a file to send":["إختر الملف الذي تود إرساله"],"Click to write as a normal (non-spoiler) message":[""],"Click to write your message as a spoiler":[""],"Clear all messages":["تنظيف كافة الرسائل"],"Insert emojis":["إدراج وجه مبتسم"],"Start a call":["إبدأ مكالمة"],"Remove messages":["حذف الرسائل"],"Write in the third person":["كتب كأنه شخص ثالث"],"Show this menu":["إظهار هذه القائمة"],"Are you sure you want to clear the messages from this conversation?":["هل أنت متأكد أنك تود مسح الرسائل مِن نافذة المحادثة هذه ؟"],"%1$s has gone offline":["%1$s قد قطع الإتصال"],"%1$s has gone away":["%1$s قد غاب"],"%1$s is busy":["%1$s مشغول"],"%1$s is online":["%1$s متصل"],"Username":["إسم المستخدِم"],"user@domain":["user@domain"],"Please enter a valid XMPP address":["يرجى إدخال عنوان XMPP صالح"],"Chat Contacts":["جهات الإتصال"],"Toggle chat":["الإنتقال إلى الدردشة"],"The connection has dropped, attempting to reconnect.":["لقد إنقطع الإتصال، عملية إعادة الربط جارية."],"An error occurred while connecting to the chat server.":["طرأ هناك خطأ أنثاء الربط بخادوم المحادثة."],"Your Jabber ID and/or password is incorrect. Please try again.":["مُعرِّف جابر الخاص بك أو كلمتك السرية خاطئة. يرجى إعادة المحاولة ثانية."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["عذرا، لم نتمكن مِن الإتصال بخادوم XMPP عبر النطاق : %1$s"],"The XMPP server did not offer a supported authentication mechanism":[""],"Show more":["عرض المزيد"],"Typing from another device":["يكتب عبر جهاز آخَر"],"%1$s is typing":["إنّ %1$s يكتب حاليا"],"Stopped typing on the other device":["توقّف عن الكتابة عبر الجهاز الآخَر"],"%1$s has stopped typing":["%1$s توقّفَ عن الكتابة"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["تصغير نافذة المحادثة هذه"],"Click to restore this chat":["أنقر لاستعادة هذه المحادثة"],"Minimized":["تصغير"],"This groupchat is not anonymous":["فريق المحادثة هذا ليس مجهولًا"],"This groupchat now shows unavailable members":["فريق المحادثة هذا يعرض الآن الأعضاء المشغولين"],"This groupchat does not show unavailable members":["فريق المحادثة هذا لا يعرض الأعضاء المشغولين"],"The groupchat configuration has changed":["تم تعديل خيارات فريق المحادثة"],"groupchat logging is now enabled":["الإلتحاق بفريق المحادثة مسموح الآن للجميع"],"groupchat logging is now disabled":["تم تعطيل امكانية الإلتحاق بفريق المحادثة"],"This groupchat is now no longer anonymous":["لم يَعُد فريق المحادثة مجهولا بعد الآن"],"This groupchat is now semi-anonymous":["أصبح فريق المحادثة مجهولا نسبيًا"],"This groupchat is now fully-anonymous":["أصبح فريق المحادثة الآن مجهولا تمامًا"],"A new groupchat has been created":["تم إنشاء فريق محادثة جديد"],"You have been banned from this groupchat":["لقد تم طردُك مِن فريق المحادثة هذا"],"You have been kicked from this groupchat":["لقد تم طردُك مؤقتًا مِن فريق المحادثة هذا"],"You have been removed from this groupchat because of an affiliation change":[""],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":[""],"You have been removed from this groupchat because the service hosting it is being shut down":[""],"%1$s has been banned":["لقد تم طرد %1$s"],"%1$s's nickname has changed":["لقد قام %1$s بتغيير إسمه المُستعار"],"%1$s has been kicked out":["لقد تم طرد %1$s مِن فريق المحادثة مؤقتًا"],"%1$s has been removed because of an affiliation change":[""],"%1$s has been removed for not being a member":["تمت إزالة %1$s لأنه ليس عضو مُنتم إلى الغرفة"],"Your nickname has been automatically set to %1$s":["لقد تم تغيير إسمك المستعار آليا إلى %1$s"],"Your nickname has been changed to %1$s":["لقد تم تغيير إسمك المُستعار إلى %1$s"],"Description:":["التفاصيل :"],"Groupchat Address (JID):":["عنوان فريق المحادثة (JID) :"],"Participants:":["المشتركون :"],"Features:":["الميزات :"],"Requires authentication":["يتطلّب المصادقة"],"Hidden":["خفية"],"Requires an invitation":["تستلزم دعوة"],"Moderated":["تحت الإشراف"],"Non-anonymous":["غير مجهولة"],"Open":["مفتوحة"],"Permanent":["دائم"],"Public":["عمومية"],"Semi-anonymous":["مجهولة نسبيًا"],"Temporary":["مُؤقّتة"],"Unmoderated":["ليست تحت الإشراف"],"Query for Groupchats":["البحث عن فِرق محادثة"],"Server address":["عنوان الخادوم"],"Show groupchats":["عرض فِرَق المحادثة"],"conference.example.org":["conference.example.org"],"No groupchats found":["لم يتم العثور على أي فريق محادثة"],"Groupchats found:":["تم العثور على فِرَق المحادثة :"],"Enter a new Groupchat":["الدخول إلى فريق محادثة جديد"],"Groupchat address":["عنوان فريق المحادثة"],"Optional nickname":["إسم مستعار اختياري"],"name@conference.example.org":["name@conference.example.org"],"Join":["الإلتحاق بالغرفة"],"Groupchat info for %1$s":[""],"%1$s is no longer a moderator":["لم يعُد %1$s مِن المُشْرِفين"],"%1$s has been given a voice again":[""],"%1$s has been muted":["تم كتم %1$s"],"%1$s is now a moderator":["أصبح %1$s مُشرفًا"],"Close and leave this groupchat":["إغلاق فريق المحادثة هذا و مغادرته"],"Configure this groupchat":["إعداد فريق المحادثة"],"Show more details about this groupchat":["عرض المزيد مِن التفاصيل عن فريق المحادثة هذا"],"Hide the list of participants":["إخفاء قائمة المشاركين"],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":[""],"Ban user from groupchat":["طرد المستخدِم من فريق المحادثة"],"Change user role to participant":["تغيير دور المستخدِم إلى مُشترِك"],"Kick user from groupchat":["طرد المستخدِم مؤقتًا مِن فريق المحادثة"],"Write in 3rd person":[""],"Grant membership to a user":["منح صفة العضوية لمستخدِم"],"Remove user's ability to post messages":["منع المستخدم مِن بعث رسائل"],"Change your nickname":["غيّر إسمك المُستعار"],"Grant moderator role to user":["ترقية المستخدِم إلى رتبة مشرف"],"Grant ownership of this groupchat":["منح صفة ملكية فريق المحادثة للمستخدِم"],"Revoke user's membership":["إسقاط صفة العضوية مِن المستخدِم"],"Set groupchat subject":["تحديد موضوع فريق المحادثة"],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":["السماح للمستخدم المكتوم نشر رسائل"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["إنّ الإسم المستعار الذي قمت باختياره محجوز أو مُستعمَل حاليا مِن طرف شخص آخَر، يُرجى اختيار إسمٍ آخَر."],"Please choose your nickname":["يرجى اختيار إسمك المُستعار"],"Nickname":["الإسم المُستعار"],"Enter groupchat":["الإلتحاق بفريق المحادثة"],"This groupchat requires a password":["فريق المحادثة مؤمَّن بكلمة سرية"],"Password: ":["كلمة السر : "],"Submit":["إرسال"],"This action was done by %1$s.":["قام %1$s بهذا الإجراء."],"The reason given is: \"%1$s\".":["السبب : \"%1$s\"."],"%1$s has left and re-entered the groupchat":["لقد انسحب %1$s مِن فريق المحادثة ثم قام بالإلتحاق به مجددا"],"%1$s has entered the groupchat":["لقد إلتحق %1$s بفريق المحادثة"],"%1$s has entered the groupchat. \"%2$s\"":["لقد إلتحق %1$s بفريق المحادثة. \"%2$s\""],"%1$s has entered and left the groupchat":["لقد إلتحق %1$s بفريق المحادثة ثم غادره"],"%1$s has entered and left the groupchat. \"%2$s\"":["لقد إلتحق %1$s بفريق المحادثة ثم غادره. \"%2$s\""],"%1$s has left the groupchat":["غادر %1$s فريق المحادثة"],"%1$s has left the groupchat. \"%2$s\"":["غادر %1$s فريق المحادثة. \"%2$s\""],"You are not on the member list of this groupchat.":["أنت لست مِن بين قائمة أعضاء فريق المحادثة هذا."],"You have been banned from this groupchat.":["لقد تم طردُك مِن فريق المحادثة هذا."],"No nickname was specified.":["لم تقم باختيار أي إسم مستعار."],"You are not allowed to create new groupchats.":["لا يُسمح لك بإنشاء فِرَق محادثة جُدد."],"Your nickname doesn't conform to this groupchat's policies.":["إنّ إسمك المستعار لا يتماشى مع سياسة فريق المحادثة هذا."],"This groupchat does not (yet) exist.":["فريق المحادثة هذا ليس له وُجود بعد."],"This groupchat has reached its maximum number of participants.":["لقد بلغ فريق المحادثة الحالي الحد الأقصى لاستيعاب الأعضاء."],"Remote server not found":[""],"The explanation given is: \"%1$s\".":["السبب : \"%1$s\"."],"Topic set by %1$s":["قام %1$s بتحديد الموضوع"],"Groupchats":["فِرَق المحادثة"],"Add a new groupchat":["إضافة فريق محادثة جديد"],"Query for groupchats":["البحث عن فِرَق للمحادثة"],"Click to mention %1$s in your message.":["أنقر للإشارة إلى %1$s في رسالتك."],"This user is a moderator.":["إنّ هذا المستخدِم مشرف في الغرفة."],"This user can send messages in this groupchat.":["بإمكان هذا المستخدم إرسال رسائل إلى فريق المحادثة هذا."],"This user can NOT send messages in this groupchat.":["لا يمكن لهذا المستخدِم إرسال رسائل في فريق المحادثة هذا."],"Moderator":["المشرف"],"Visitor":[""],"Owner":[""],"Member":["عضو"],"Admin":[""],"Participants":[""],"Invite":["دعوة"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":[""],"Please enter a valid XMPP username":["يُرجى إدخال إسم مستخدِم XMPP صحيح"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["قام %1$s بدعوتك للإلتحاق بفريق المحادثة : %2$s"],"Notification from %1$s":["إشعار مِن %1$s"],"%1$s says":["%1$s قال"],"has gone offline":["قد قطع الإتصال"],"has gone away":["قد غاب"],"is busy":["مشغول"],"has come online":["صار مُتّصلا الآن"],"wants to be your contact":["يُريد أن يُصبح مُراسلك"],"Sorry, an error occurred while trying to remove the devices.":["المعذرة، لقد طرأ هناك خطأ أثناء محاولة حذف الأجهزة."],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":["ملفك الشخصي"],"Close":["إغلاق"],"Email":["البريد الإلكتروني"],"Full Name":["الإسم الكامل"],"Role":["الدور"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":["عنوان الرابط"],"Sorry, an error happened while trying to save your profile data.":["المعذرة، لقد طرأ هناك خطأ أثناء محاولة الإحتفاظ ببيانات ملفك الشخصي."],"You can check your browser's developer console for any error output.":[""],"Away":["غائب"],"Busy":["مشغول"],"Custom status":["حالتك الخاصة"],"Offline":["غير متصل"],"Online":["مُتّصل"],"Away for long":["غائب لمدة قد تطول"],"Change chat status":["أنقر لتغيير حالة الدردشة"],"Personal status message":["رسالة الحالة الخاصة"],"I am %1$s":["أنا %1$s"],"Change settings":["تغيير الإعدادات"],"Click to change your chat status":["أنقر لتغيير حالتك للدردشة"],"Log out":["الخروج"],"Your profile":["ملفك الشخصي"],"Are you sure you want to log out?":["هل أنت متأكد أنك تريد الخروج ؟"],"online":["متصل"],"busy":["مشغول"],"away for long":["غائب لمدة قد تطول"],"away":["غائب"],"offline":["غير متصل"]," e.g. conversejs.org":[" مثال conversejs.org"],"Fetch registration form":["جارٍ جلب استمارة التسجيل"],"Tip: A list of public XMPP providers is available":[""],"here":["هنا"],"Sorry, we're unable to connect to your chosen provider.":["المعذرة، لم نتمكن بربطك بموفر خدمة المحادثة الذي قمت باختياره."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":[""],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":[""],"Now logging you in":["جارٍ تسجيل دخولك الآن"],"Registered successfully":["تم تسجيل حسابك بنجاح"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":[""],"Click to toggle the list of open groupchats":["أنقر لفتح قائمة فِرَق المحادثة"],"Open Groupchats":[""],"Are you sure you want to leave the groupchat %1$s?":["هل أنت متأكد أنك تريد الإنسحاب مِن فريق المحادثة %1$s ؟"],"Sorry, there was an error while trying to add %1$s as a contact.":["المعذرة، لقد حدث هناك خطأ أثناء محاولة إضافة %1$s كمُراسِل."],"This client does not allow presence subscriptions":[""],"Click to hide these contacts":["أْنقُر لإخفاء هؤلاء المراسلين"],"This contact is busy":["إنّ المُراسَل مشغول"],"This contact is online":["إنّ هذا المُراسَل غير مُتصل"],"This contact is offline":["هذا المراسل غير متصل"],"This contact is unavailable":["إنّ هذا المراسَل غير متوفر"],"This contact is away for an extended period":["لقد غاب هذا المستخدِم ثانية لفترة أطوَل"],"This contact is away":["إنّ هذا المراسَل غائب"],"Groups":["الفِرَق"],"My contacts":["جهات إتصالي"],"Pending contacts":["المُراسلون المُعلّقون"],"Contact requests":["طلبات التراسل"],"Ungrouped":[""],"Contact name":["إسم المراسل"],"Add a Contact":["إضافة مراسل"],"XMPP Address":["عنوان XMPP"],"name@example.org":["name@example.org"],"Add":["إضافة"],"Filter":["عامل التصفية"],"Filter by contact name":["فرز حسب اسم جهة الاتصال"],"Filter by group name":["فرز حسب اسم المجموعة"],"Filter by status":["تصنيف حسب الحالة"],"Any":["الكل"],"Unread":["غير مقروءة"],"Chatty":["كثيرة الدردشة"],"Extended Away":[""],"Click to remove %1$s as a contact":["أنقر لإزالة %1$s مِن قائمة مراسليك"],"Click to accept the contact request from %1$s":["أنقر لقبول طلب التراسل مع %1$s"],"Click to decline the contact request from %1$s":["أنقر لرفض طلب التراسل مع %1$s"],"Click to chat with %1$s (JID: %2$s)":["أنقر للتحدث مع %1$s (JID : %2$s)"],"Are you sure you want to decline this contact request?":["هل أنت متأكد أنك تود رفض طلب التراسل مع هذا المستخدِم ؟"],"Contacts":["جهات الإتصال"],"Add a contact":["إضافة مراسل"],"Name":[""],"Groupchat address (JID)":["عنوان فريق المحادثة (JID)"],"Description":["الوصف"],"Topic":[""],"Topic author":[""],"Online users":["المستخدِدون المتصلون"],"Features":["الميزات"],"Password protected":["مؤمَّنة بكلمة سرية"],"This groupchat requires a password before entry":["كلمة السر لازمة للدخول إلى فريق المحادثة هذا"],"No password required":["بدون كلمة سرية"],"This groupchat does not require a password upon entry":["فريق المحادثة هذا لا يتطلّب كلمة سرية قبل الدخول إليها"],"This groupchat is not publicly searchable":["ليس بالإمكان البحث عن فريق المحادثة هذا عبر البحث العمومي"],"This groupchat is publicly searchable":["يمكن البحث العمومي عن فريق المحادثة هذا"],"Members only":["الأعضاء فقط"],"This groupchat is restricted to members only":["فريق المحادثة هذا مخصص للأعضاء المُنتمين إليه فقط"],"Anyone can join this groupchat":["يمكن للجميع الإلتحاق بفريق المحادثة هذا"],"Persistent":["دائمة"],"This groupchat persists even if it's unoccupied":["فريق المحادثة هذا غير زائل حتى و إن كان لا يحتوي على مقيمين"],"This groupchat will disappear once the last person leaves":["سوف يختفي فريق المحادثة هذا عندما يخرج منه آخِر مُستخدِم"],"Not anonymous":["غير مجهول"],"All other groupchat participants can see your XMPP username":["يُمكن لكل أعضاء فريق المحادثة الإطلاع على إسم المستخدِم XMPP الخاص بك"],"Only moderators can see your XMPP username":["بإمكان المشرفين فقط رؤية إسم XMPP الخاص بك"],"This groupchat is being moderated":["فريق المحادثة هذا تحت الإشراف"],"Not moderated":["ليس تحت الإشراف"],"This groupchat is not being moderated":["أصبح فريق المحادثة هذا مِن دون إشراف"],"Message archiving":["أرشفة الرسائل"],"Messages are archived on the server":["الرسائل محفوظة على الخادوم"],"No password":["بدون كلمة سرية"],"this groupchat is restricted to members only":["فريق المحادثة الحالي مخصص للأعضاء المُنتمين إليه فقط"],"XMPP Username:":["إسم المستخدِم :"],"Password:":["كلمة السر :"],"password":["كلمة السر"],"This is a trusted device":["أنا على جهاز أثق فيه"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Log in":["تسجيل الدخول"],"Click here to log in anonymously":["أُنقُر هنا لتسجيل الدخول كشخص مجهول"],"This message has been edited":["تم إعادة تحرير هذه الرسالة"],"Edit this message":["تعديل هذه الرسالة"],"Message versions":["أرشفة الرسائل"],"Save and close":["حفظ وإغلاق"],"This device's OMEMO fingerprint":["بصمة أوميمو الخاصة بهذا الجهاز"],"Select all":["اختيار الكل"],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Device without a fingerprint":["الجهاز مِن دون بصمة"],"Remove checked devices and close":[""],"Don't have a chat account?":["لا تمتلك حسابًا للمحادثة بعدُ ؟"],"Create an account":["أنشئ حسابًا"],"Create your account":["إنشئ حسابك"],"Please enter the XMPP provider to register with:":["يرجى إدخال مزود خدمة XMPP الذي تود إنشاء حسابك فيه :"],"Already have a chat account?":["عندك حساب مُحادثة ؟"],"Log in here":["قم بتسجيل الدخول هنا"],"Account Registration:":["إنشاء حساب :"],"Register":["تسجيل حساب"],"Choose a different provider":["إختر مزود خدمة آخَر"],"Hold tight, we're fetching the registration form…":["تحلى بالصبر، جارٍ جلب استمارة التسجيل …"],"Messages are being sent in plaintext":[""],"The User's Profile Image":["الصورة الشخصية للمستخدم"],"OMEMO Fingerprints":["بصمات أوميمو"],"Trusted":["موثوق فيه"],"Untrusted":["غير موثوق فيه"],"Remove as contact":["إزالة مِن المراسِلين"],"Refresh":["تحديث"],"Download":["تنزيل"]}}} \ No newline at end of file diff --git a/locale/ar/LC_MESSAGES/converse.po b/locale/ar/LC_MESSAGES/converse.po index bf316b700..8e81bd180 100644 --- a/locale/ar/LC_MESSAGES/converse.po +++ b/locale/ar/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 3.3.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-10-02 17:13+0200\n" "Last-Translator: ButterflyOfFire \n" "Language-Team: Arabic =11 ? 4 : 5;\n" "X-Generator: Weblate 3.2-dev\n" -#: dist/converse-no-dependencies.js:31821 -#: dist/converse-no-dependencies.js:31906 -#: dist/converse-no-dependencies.js:47423 +#: dist/converse-no-dependencies.js:32421 +#: dist/converse-no-dependencies.js:32506 +#: dist/converse-no-dependencies.js:48032 msgid "Bookmark this groupchat" msgstr "إضافة فريق المحادثة هذا إلى الفواصل المرجعية" -#: dist/converse-no-dependencies.js:31907 +#: dist/converse-no-dependencies.js:32507 msgid "The name for this bookmark:" msgstr "تسمية الفاصلة المرجعية :" -#: dist/converse-no-dependencies.js:31908 +#: dist/converse-no-dependencies.js:32508 msgid "Would you like this groupchat to be automatically joined upon startup?" msgstr "هل تريد الإلتحاق آليًا بفريق المحادثة هذا مباشَرةً بعد الإتصال ؟" -#: dist/converse-no-dependencies.js:31909 +#: dist/converse-no-dependencies.js:32509 msgid "What should your nickname for this groupchat be?" msgstr "ما هو الإسم المُستعار الذي تريد استخدامه في فريق المحادثة هذا ؟" -#: dist/converse-no-dependencies.js:31911 -#: dist/converse-no-dependencies.js:41743 -#: dist/converse-no-dependencies.js:46269 +#: dist/converse-no-dependencies.js:32511 +#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:46878 msgid "Save" msgstr "حفظ" -#: dist/converse-no-dependencies.js:31912 -#: dist/converse-no-dependencies.js:41744 -#: dist/converse-no-dependencies.js:46265 -#: dist/converse-no-dependencies.js:52704 +#: dist/converse-no-dependencies.js:32512 +#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:46874 +#: dist/converse-no-dependencies.js:53313 msgid "Cancel" msgstr "إلغاء" -#: dist/converse-no-dependencies.js:31985 +#: dist/converse-no-dependencies.js:32585 #, javascript-format msgid "Are you sure you want to remove the bookmark \"%1$s\"?" msgstr "هل أنت متأكد أنك تريد إزالة الفاصلة المرجعية \"%1$s\" ؟" -#: dist/converse-no-dependencies.js:32104 -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:44898 -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:32704 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:45498 +#: dist/converse-no-dependencies.js:46823 msgid "Error" msgstr "خطأ" -#: dist/converse-no-dependencies.js:32104 +#: dist/converse-no-dependencies.js:32704 msgid "Sorry, something went wrong while trying to save your bookmark." msgstr "المعذرة، لقد طرأ هناك خطأ أثناء محاولة الإحتفاظ بالفواصل المرجعية." -#: dist/converse-no-dependencies.js:32195 -#: dist/converse-no-dependencies.js:47421 +#: dist/converse-no-dependencies.js:32795 +#: dist/converse-no-dependencies.js:48030 msgid "Leave this groupchat" msgstr "مغادرة فريق المحادثة" -#: dist/converse-no-dependencies.js:32196 +#: dist/converse-no-dependencies.js:32796 msgid "Remove this bookmark" msgstr "إزالة هذه الفاصلة المرجعية" -#: dist/converse-no-dependencies.js:32197 -#: dist/converse-no-dependencies.js:47422 +#: dist/converse-no-dependencies.js:32797 +#: dist/converse-no-dependencies.js:48031 msgid "Unbookmark this groupchat" msgstr "تنحية فريق المحادثة مِن الفواصل المرجعية" -#: dist/converse-no-dependencies.js:32198 -#: dist/converse-no-dependencies.js:40905 -#: dist/converse-no-dependencies.js:47424 +#: dist/converse-no-dependencies.js:32798 +#: dist/converse-no-dependencies.js:41505 +#: dist/converse-no-dependencies.js:48033 msgid "Show more information on this groupchat" msgstr "عرض المزيد مِن التفاصيل عن فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:32201 -#: dist/converse-no-dependencies.js:40904 -#: dist/converse-no-dependencies.js:47426 +#: dist/converse-no-dependencies.js:32801 +#: dist/converse-no-dependencies.js:41504 +#: dist/converse-no-dependencies.js:48035 msgid "Click to open this groupchat" msgstr "أنقر لفتح فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:32240 +#: dist/converse-no-dependencies.js:32840 msgid "Click to toggle the bookmarks list" msgstr "أنقر للإنتقال إلى قائمة الإشارات المرجعية" -#: dist/converse-no-dependencies.js:32241 +#: dist/converse-no-dependencies.js:32841 msgid "Bookmarks" msgstr "الفواصل المرجعية" -#: dist/converse-no-dependencies.js:32660 +#: dist/converse-no-dependencies.js:33260 msgid "Sorry, could not determine file upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32668 +#: dist/converse-no-dependencies.js:33268 msgid "Sorry, could not determine upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32703 +#: dist/converse-no-dependencies.js:33303 #, javascript-format msgid "" "Sorry, could not succesfully upload your file. Your server’s response: \"%1$s" "\"" msgstr "للأسف لم نتمكّن مِن القيام برفع ملفك بنجاح. أجاب خادومك : \"%1$s\"" -#: dist/converse-no-dependencies.js:32705 +#: dist/converse-no-dependencies.js:33305 msgid "Sorry, could not succesfully upload your file." msgstr "للأسف لم نتمكّن مِن القيام برفع ملفك بنجاح." -#: dist/converse-no-dependencies.js:32950 +#: dist/converse-no-dependencies.js:33550 msgid "Sorry, looks like file upload is not supported by your server." msgstr "للأسف يبدو أن خاصية رفع الملفات لا يدعمها خادومكم." -#: dist/converse-no-dependencies.js:32960 +#: dist/converse-no-dependencies.js:33560 #, javascript-format msgid "" "The size of your file, %1$s, exceeds the maximum allowed by your server, " "which is %2$s." msgstr "" -#: dist/converse-no-dependencies.js:33182 +#: dist/converse-no-dependencies.js:33782 msgid "Sorry, an error occurred:" msgstr "عذراً، حدث خطأ:" -#: dist/converse-no-dependencies.js:33860 +#: dist/converse-no-dependencies.js:34460 msgid "Close this chat box" msgstr "إغلق نافذة المحادثة هذه" -#: dist/converse-no-dependencies.js:33937 -#: dist/converse-no-dependencies.js:49200 +#: dist/converse-no-dependencies.js:34537 +#: dist/converse-no-dependencies.js:49809 msgid "Are you sure you want to remove this contact?" msgstr "هل أنت متأكد أنك تريد حذف هذا المراسل ؟" -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:49208 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:49817 #, javascript-format msgid "Sorry, there was an error while trying to remove %1$s as a contact." msgstr "" -#: dist/converse-no-dependencies.js:34000 -#: dist/converse-no-dependencies.js:34040 +#: dist/converse-no-dependencies.js:34600 +#: dist/converse-no-dependencies.js:34640 msgid "You have unread messages" msgstr "لقد ورَدَت إليك رسائل غير مقروءة" -#: dist/converse-no-dependencies.js:34026 +#: dist/converse-no-dependencies.js:34626 msgid "Hidden message" msgstr "رسالة مخفية" -#: dist/converse-no-dependencies.js:34028 +#: dist/converse-no-dependencies.js:34628 msgid "Message" msgstr "رسالة" -#: dist/converse-no-dependencies.js:34035 +#: dist/converse-no-dependencies.js:34635 msgid "Send" msgstr "إرسل" -#: dist/converse-no-dependencies.js:34036 +#: dist/converse-no-dependencies.js:34636 msgid "Optional hint" msgstr "دليل إختياري" -#: dist/converse-no-dependencies.js:34074 +#: dist/converse-no-dependencies.js:34674 msgid "Choose a file to send" msgstr "إختر الملف الذي تود إرساله" -#: dist/converse-no-dependencies.js:34130 +#: dist/converse-no-dependencies.js:34730 msgid "Click to write as a normal (non-spoiler) message" msgstr "" -#: dist/converse-no-dependencies.js:34132 +#: dist/converse-no-dependencies.js:34732 msgid "Click to write your message as a spoiler" msgstr "" -#: dist/converse-no-dependencies.js:34136 +#: dist/converse-no-dependencies.js:34736 msgid "Clear all messages" msgstr "تنظيف كافة الرسائل" -#: dist/converse-no-dependencies.js:34137 +#: dist/converse-no-dependencies.js:34737 msgid "Insert emojis" msgstr "إدراج وجه مبتسم" -#: dist/converse-no-dependencies.js:34138 +#: dist/converse-no-dependencies.js:34738 msgid "Start a call" msgstr "إبدأ مكالمة" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Remove messages" msgstr "حذف الرسائل" -#: dist/converse-no-dependencies.js:34455 +#: dist/converse-no-dependencies.js:35055 msgid "Write in the third person" msgstr "كتب كأنه شخص ثالث" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Show this menu" msgstr "إظهار هذه القائمة" -#: dist/converse-no-dependencies.js:34676 +#: dist/converse-no-dependencies.js:35276 msgid "Are you sure you want to clear the messages from this conversation?" msgstr "هل أنت متأكد أنك تود مسح الرسائل مِن نافذة المحادثة هذه ؟" -#: dist/converse-no-dependencies.js:34792 +#: dist/converse-no-dependencies.js:35392 #, javascript-format msgid "%1$s has gone offline" msgstr "%1$s قد قطع الإتصال" -#: dist/converse-no-dependencies.js:34794 -#: dist/converse-no-dependencies.js:39805 +#: dist/converse-no-dependencies.js:35394 +#: dist/converse-no-dependencies.js:40405 #, javascript-format msgid "%1$s has gone away" msgstr "%1$s قد غاب" -#: dist/converse-no-dependencies.js:34796 +#: dist/converse-no-dependencies.js:35396 #, javascript-format msgid "%1$s is busy" msgstr "%1$s مشغول" -#: dist/converse-no-dependencies.js:34798 +#: dist/converse-no-dependencies.js:35398 #, javascript-format msgid "%1$s is online" msgstr "%1$s متصل" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "Username" msgstr "إسم المستخدِم" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "user@domain" msgstr "user@domain" -#: dist/converse-no-dependencies.js:35446 -#: dist/converse-no-dependencies.js:48809 +#: dist/converse-no-dependencies.js:36046 +#: dist/converse-no-dependencies.js:49418 msgid "Please enter a valid XMPP address" msgstr "يرجى إدخال عنوان XMPP صالح" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Chat Contacts" msgstr "جهات الإتصال" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Toggle chat" msgstr "الإنتقال إلى الدردشة" -#: dist/converse-no-dependencies.js:36182 +#: dist/converse-no-dependencies.js:36782 msgid "The connection has dropped, attempting to reconnect." msgstr "لقد إنقطع الإتصال، عملية إعادة الربط جارية." -#: dist/converse-no-dependencies.js:36282 +#: dist/converse-no-dependencies.js:36882 msgid "An error occurred while connecting to the chat server." msgstr "طرأ هناك خطأ أنثاء الربط بخادوم المحادثة." -#: dist/converse-no-dependencies.js:36289 +#: dist/converse-no-dependencies.js:36889 msgid "Your Jabber ID and/or password is incorrect. Please try again." msgstr "مُعرِّف جابر الخاص بك أو كلمتك السرية خاطئة. يرجى إعادة المحاولة ثانية." -#: dist/converse-no-dependencies.js:36301 +#: dist/converse-no-dependencies.js:36901 #, javascript-format msgid "Sorry, we could not connect to the XMPP host with domain: %1$s" msgstr "عذرا، لم نتمكن مِن الإتصال بخادوم XMPP عبر النطاق : %1$s" -#: dist/converse-no-dependencies.js:36303 +#: dist/converse-no-dependencies.js:36903 msgid "The XMPP server did not offer a supported authentication mechanism" msgstr "" -#: dist/converse-no-dependencies.js:39746 +#: dist/converse-no-dependencies.js:40346 msgid "Show more" msgstr "عرض المزيد" -#: dist/converse-no-dependencies.js:39794 +#: dist/converse-no-dependencies.js:40394 msgid "Typing from another device" msgstr "يكتب عبر جهاز آخَر" -#: dist/converse-no-dependencies.js:39796 +#: dist/converse-no-dependencies.js:40396 #, javascript-format msgid "%1$s is typing" msgstr "إنّ %1$s يكتب حاليا" -#: dist/converse-no-dependencies.js:39800 +#: dist/converse-no-dependencies.js:40400 msgid "Stopped typing on the other device" msgstr "توقّف عن الكتابة عبر الجهاز الآخَر" -#: dist/converse-no-dependencies.js:39802 +#: dist/converse-no-dependencies.js:40402 #, javascript-format msgid "%1$s has stopped typing" msgstr "%1$s توقّفَ عن الكتابة" -#: dist/converse-no-dependencies.js:39837 +#: dist/converse-no-dependencies.js:40437 msgid "Unencryptable OMEMO message" msgstr "" -#: dist/converse-no-dependencies.js:40055 -#: dist/converse-no-dependencies.js:40098 +#: dist/converse-no-dependencies.js:40655 +#: dist/converse-no-dependencies.js:40698 msgid "Minimize this chat box" msgstr "تصغير نافذة المحادثة هذه" -#: dist/converse-no-dependencies.js:40231 +#: dist/converse-no-dependencies.js:40831 msgid "Click to restore this chat" msgstr "أنقر لاستعادة هذه المحادثة" -#: dist/converse-no-dependencies.js:40420 +#: dist/converse-no-dependencies.js:41020 msgid "Minimized" msgstr "تصغير" -#: dist/converse-no-dependencies.js:40747 +#: dist/converse-no-dependencies.js:41347 msgid "This groupchat is not anonymous" msgstr "فريق المحادثة هذا ليس مجهولًا" -#: dist/converse-no-dependencies.js:40748 +#: dist/converse-no-dependencies.js:41348 msgid "This groupchat now shows unavailable members" msgstr "فريق المحادثة هذا يعرض الآن الأعضاء المشغولين" -#: dist/converse-no-dependencies.js:40749 +#: dist/converse-no-dependencies.js:41349 msgid "This groupchat does not show unavailable members" msgstr "فريق المحادثة هذا لا يعرض الأعضاء المشغولين" -#: dist/converse-no-dependencies.js:40750 +#: dist/converse-no-dependencies.js:41350 msgid "The groupchat configuration has changed" msgstr "تم تعديل خيارات فريق المحادثة" -#: dist/converse-no-dependencies.js:40751 +#: dist/converse-no-dependencies.js:41351 msgid "groupchat logging is now enabled" msgstr "الإلتحاق بفريق المحادثة مسموح الآن للجميع" -#: dist/converse-no-dependencies.js:40752 +#: dist/converse-no-dependencies.js:41352 msgid "groupchat logging is now disabled" msgstr "تم تعطيل امكانية الإلتحاق بفريق المحادثة" -#: dist/converse-no-dependencies.js:40753 +#: dist/converse-no-dependencies.js:41353 msgid "This groupchat is now no longer anonymous" msgstr "لم يَعُد فريق المحادثة مجهولا بعد الآن" -#: dist/converse-no-dependencies.js:40754 +#: dist/converse-no-dependencies.js:41354 msgid "This groupchat is now semi-anonymous" msgstr "أصبح فريق المحادثة مجهولا نسبيًا" -#: dist/converse-no-dependencies.js:40755 +#: dist/converse-no-dependencies.js:41355 msgid "This groupchat is now fully-anonymous" msgstr "أصبح فريق المحادثة الآن مجهولا تمامًا" -#: dist/converse-no-dependencies.js:40756 +#: dist/converse-no-dependencies.js:41356 msgid "A new groupchat has been created" msgstr "تم إنشاء فريق محادثة جديد" -#: dist/converse-no-dependencies.js:40759 +#: dist/converse-no-dependencies.js:41359 msgid "You have been banned from this groupchat" msgstr "لقد تم طردُك مِن فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:40760 +#: dist/converse-no-dependencies.js:41360 msgid "You have been kicked from this groupchat" msgstr "لقد تم طردُك مؤقتًا مِن فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:40761 +#: dist/converse-no-dependencies.js:41361 msgid "" "You have been removed from this groupchat because of an affiliation change" msgstr "" -#: dist/converse-no-dependencies.js:40762 +#: dist/converse-no-dependencies.js:41362 msgid "" "You have been removed from this groupchat because the groupchat has changed " "to members-only and you're not a member" msgstr "" -#: dist/converse-no-dependencies.js:40763 +#: dist/converse-no-dependencies.js:41363 msgid "" "You have been removed from this groupchat because the service hosting it is " "being shut down" @@ -390,327 +390,327 @@ msgstr "" #. * can then at least tell gettext to scan for it so that these #. * strings are picked up by the translation machinery. #. -#: dist/converse-no-dependencies.js:40776 +#: dist/converse-no-dependencies.js:41376 #, javascript-format msgid "%1$s has been banned" msgstr "لقد تم طرد %1$s" -#: dist/converse-no-dependencies.js:40777 +#: dist/converse-no-dependencies.js:41377 #, javascript-format msgid "%1$s's nickname has changed" msgstr "لقد قام %1$s بتغيير إسمه المُستعار" -#: dist/converse-no-dependencies.js:40778 +#: dist/converse-no-dependencies.js:41378 #, javascript-format msgid "%1$s has been kicked out" msgstr "لقد تم طرد %1$s مِن فريق المحادثة مؤقتًا" -#: dist/converse-no-dependencies.js:40779 +#: dist/converse-no-dependencies.js:41379 #, javascript-format msgid "%1$s has been removed because of an affiliation change" msgstr "" -#: dist/converse-no-dependencies.js:40780 +#: dist/converse-no-dependencies.js:41380 #, javascript-format msgid "%1$s has been removed for not being a member" msgstr "تمت إزالة %1$s لأنه ليس عضو مُنتم إلى الغرفة" -#: dist/converse-no-dependencies.js:40783 +#: dist/converse-no-dependencies.js:41383 #, javascript-format msgid "Your nickname has been automatically set to %1$s" msgstr "لقد تم تغيير إسمك المستعار آليا إلى %1$s" -#: dist/converse-no-dependencies.js:40784 +#: dist/converse-no-dependencies.js:41384 #, javascript-format msgid "Your nickname has been changed to %1$s" msgstr "لقد تم تغيير إسمك المُستعار إلى %1$s" -#: dist/converse-no-dependencies.js:40815 +#: dist/converse-no-dependencies.js:41415 msgid "Description:" msgstr "التفاصيل :" -#: dist/converse-no-dependencies.js:40816 +#: dist/converse-no-dependencies.js:41416 msgid "Groupchat Address (JID):" msgstr "عنوان فريق المحادثة (JID) :" -#: dist/converse-no-dependencies.js:40817 +#: dist/converse-no-dependencies.js:41417 msgid "Participants:" msgstr "المشتركون :" -#: dist/converse-no-dependencies.js:40818 +#: dist/converse-no-dependencies.js:41418 msgid "Features:" msgstr "الميزات :" -#: dist/converse-no-dependencies.js:40819 +#: dist/converse-no-dependencies.js:41419 msgid "Requires authentication" msgstr "يتطلّب المصادقة" -#: dist/converse-no-dependencies.js:40820 -#: dist/converse-no-dependencies.js:51007 -#: dist/converse-no-dependencies.js:51163 +#: dist/converse-no-dependencies.js:41420 +#: dist/converse-no-dependencies.js:51616 +#: dist/converse-no-dependencies.js:51772 msgid "Hidden" msgstr "خفية" -#: dist/converse-no-dependencies.js:40821 +#: dist/converse-no-dependencies.js:41421 msgid "Requires an invitation" msgstr "تستلزم دعوة" -#: dist/converse-no-dependencies.js:40822 -#: dist/converse-no-dependencies.js:51071 -#: dist/converse-no-dependencies.js:51227 +#: dist/converse-no-dependencies.js:41422 +#: dist/converse-no-dependencies.js:51680 +#: dist/converse-no-dependencies.js:51836 msgid "Moderated" msgstr "تحت الإشراف" -#: dist/converse-no-dependencies.js:40823 +#: dist/converse-no-dependencies.js:41423 msgid "Non-anonymous" msgstr "غير مجهولة" -#: dist/converse-no-dependencies.js:40824 -#: dist/converse-no-dependencies.js:51031 -#: dist/converse-no-dependencies.js:51187 +#: dist/converse-no-dependencies.js:41424 +#: dist/converse-no-dependencies.js:51640 +#: dist/converse-no-dependencies.js:51796 msgid "Open" msgstr "مفتوحة" -#: dist/converse-no-dependencies.js:40825 +#: dist/converse-no-dependencies.js:41425 msgid "Permanent" msgstr "دائم" -#: dist/converse-no-dependencies.js:40826 -#: dist/converse-no-dependencies.js:51015 -#: dist/converse-no-dependencies.js:51171 +#: dist/converse-no-dependencies.js:41426 +#: dist/converse-no-dependencies.js:51624 +#: dist/converse-no-dependencies.js:51780 msgid "Public" msgstr "عمومية" -#: dist/converse-no-dependencies.js:40827 -#: dist/converse-no-dependencies.js:51063 -#: dist/converse-no-dependencies.js:51219 +#: dist/converse-no-dependencies.js:41427 +#: dist/converse-no-dependencies.js:51672 +#: dist/converse-no-dependencies.js:51828 msgid "Semi-anonymous" msgstr "مجهولة نسبيًا" -#: dist/converse-no-dependencies.js:40828 -#: dist/converse-no-dependencies.js:51047 -#: dist/converse-no-dependencies.js:51203 +#: dist/converse-no-dependencies.js:41428 +#: dist/converse-no-dependencies.js:51656 +#: dist/converse-no-dependencies.js:51812 msgid "Temporary" msgstr "مُؤقّتة" -#: dist/converse-no-dependencies.js:40829 +#: dist/converse-no-dependencies.js:41429 msgid "Unmoderated" msgstr "ليست تحت الإشراف" -#: dist/converse-no-dependencies.js:40865 +#: dist/converse-no-dependencies.js:41465 msgid "Query for Groupchats" msgstr "البحث عن فِرق محادثة" -#: dist/converse-no-dependencies.js:40866 +#: dist/converse-no-dependencies.js:41466 msgid "Server address" msgstr "عنوان الخادوم" -#: dist/converse-no-dependencies.js:40867 +#: dist/converse-no-dependencies.js:41467 msgid "Show groupchats" msgstr "عرض فِرَق المحادثة" -#: dist/converse-no-dependencies.js:40868 +#: dist/converse-no-dependencies.js:41468 msgid "conference.example.org" msgstr "conference.example.org" -#: dist/converse-no-dependencies.js:40917 +#: dist/converse-no-dependencies.js:41517 msgid "No groupchats found" msgstr "لم يتم العثور على أي فريق محادثة" -#: dist/converse-no-dependencies.js:40839 +#: dist/converse-no-dependencies.js:41534 msgid "Groupchats found:" msgstr "تم العثور على فِرَق المحادثة :" -#: dist/converse-no-dependencies.js:40891 +#: dist/converse-no-dependencies.js:41584 msgid "Enter a new Groupchat" msgstr "الدخول إلى فريق محادثة جديد" -#: dist/converse-no-dependencies.js:40985 +#: dist/converse-no-dependencies.js:41585 msgid "Groupchat address" msgstr "عنوان فريق المحادثة" -#: dist/converse-no-dependencies.js:40986 -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:41586 +#: dist/converse-no-dependencies.js:49410 msgid "Optional nickname" msgstr "إسم مستعار اختياري" -#: dist/converse-no-dependencies.js:40987 +#: dist/converse-no-dependencies.js:41587 msgid "name@conference.example.org" msgstr "name@conference.example.org" -#: dist/converse-no-dependencies.js:40988 +#: dist/converse-no-dependencies.js:41588 msgid "Join" msgstr "الإلتحاق بالغرفة" -#: dist/converse-no-dependencies.js:41036 +#: dist/converse-no-dependencies.js:41636 #, javascript-format msgid "Groupchat info for %1$s" msgstr "" -#: dist/converse-no-dependencies.js:41212 +#: dist/converse-no-dependencies.js:41812 #, fuzzy, javascript-format msgid "%1$s is no longer an admin of this groupchat" msgstr "لقد إلتحق %1$s بغرفة المحادثة ثم غادرها" -#: dist/converse-no-dependencies.js:41214 +#: dist/converse-no-dependencies.js:41814 #, fuzzy, javascript-format msgid "%1$s is no longer an owner of this groupchat" msgstr "منح صفة ملكية فريق المحادثة للمستخدِم" -#: dist/converse-no-dependencies.js:41216 +#: dist/converse-no-dependencies.js:41816 #, fuzzy, javascript-format msgid "%1$s is no longer banned from this groupchat" msgstr "لقد تم طردُك مِن فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:41220 +#: dist/converse-no-dependencies.js:41820 #, fuzzy, javascript-format msgid "%1$s is no longer a permanent member of this groupchat" msgstr "أنت لست مِن بين قائمة أعضاء غرفة المحادثة هذه." -#: dist/converse-no-dependencies.js:41224 +#: dist/converse-no-dependencies.js:41824 #, fuzzy, javascript-format msgid "%1$s is now a permanent member of this groupchat" msgstr "أنت لست مِن بين قائمة أعضاء غرفة المحادثة هذه." -#: dist/converse-no-dependencies.js:41226 +#: dist/converse-no-dependencies.js:41826 #, fuzzy, javascript-format msgid "%1$s has been banned from this groupchat" msgstr "لقد تم طردُك مِن فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:41228 +#: dist/converse-no-dependencies.js:41828 #, fuzzy, javascript-format msgid "%1$s is now an " msgstr "أصبح %1$s مُشرفًا" -#: dist/converse-no-dependencies.js:41235 +#: dist/converse-no-dependencies.js:41835 #, javascript-format msgid "%1$s is no longer a moderator" msgstr "لم يعُد %1$s مِن المُشْرِفين" -#: dist/converse-no-dependencies.js:41122 +#: dist/converse-no-dependencies.js:41839 #, javascript-format msgid "%1$s has been given a voice again" msgstr "" -#: dist/converse-no-dependencies.js:41243 +#: dist/converse-no-dependencies.js:41843 #, javascript-format msgid "%1$s has been muted" msgstr "تم كتم %1$s" -#: dist/converse-no-dependencies.js:41247 +#: dist/converse-no-dependencies.js:41847 #, javascript-format msgid "%1$s is now a moderator" msgstr "أصبح %1$s مُشرفًا" -#: dist/converse-no-dependencies.js:41255 +#: dist/converse-no-dependencies.js:41855 msgid "Close and leave this groupchat" msgstr "إغلاق فريق المحادثة هذا و مغادرته" -#: dist/converse-no-dependencies.js:41256 +#: dist/converse-no-dependencies.js:41856 msgid "Configure this groupchat" msgstr "إعداد فريق المحادثة" -#: dist/converse-no-dependencies.js:41257 +#: dist/converse-no-dependencies.js:41857 msgid "Show more details about this groupchat" msgstr "عرض المزيد مِن التفاصيل عن فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:41297 +#: dist/converse-no-dependencies.js:41897 msgid "Hide the list of participants" msgstr "إخفاء قائمة المشاركين" -#: dist/converse-no-dependencies.js:41413 +#: dist/converse-no-dependencies.js:42013 msgid "Forbidden: you do not have the necessary role in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41425 +#: dist/converse-no-dependencies.js:42025 msgid "" "Forbidden: you do not have the necessary affiliation in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41436 +#: dist/converse-no-dependencies.js:42036 #, javascript-format msgid "" "Error: the \"%1$s\" command takes two arguments, the user's nickname and " "optionally a reason." msgstr "" -#: dist/converse-no-dependencies.js:41445 +#: dist/converse-no-dependencies.js:42045 #, javascript-format msgid "Error: couldn't find a groupchat participant \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:41454 +#: dist/converse-no-dependencies.js:42054 msgid "" "Sorry, an error happened while running the command. Check your browser's " "developer console for details." msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user's affiliation to admin" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Ban user from groupchat" msgstr "طرد المستخدِم من فريق المحادثة" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user role to participant" msgstr "تغيير دور المستخدِم إلى مُشترِك" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Kick user from groupchat" msgstr "طرد المستخدِم مؤقتًا مِن فريق المحادثة" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Write in 3rd person" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant membership to a user" msgstr "منح صفة العضوية لمستخدِم" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Remove user's ability to post messages" msgstr "منع المستخدم مِن بعث رسائل" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change your nickname" msgstr "غيّر إسمك المُستعار" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant moderator role to user" msgstr "ترقية المستخدِم إلى رتبة مشرف" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant ownership of this groupchat" msgstr "منح صفة ملكية فريق المحادثة للمستخدِم" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Register a nickname for this room" msgstr "تسمية الفاصلة المرجعية :" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Revoke user's membership" msgstr "إسقاط صفة العضوية مِن المستخدِم" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject" msgstr "تحديد موضوع فريق المحادثة" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject (alias for /subject)" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Allow muted user to post messages" msgstr "السماح للمستخدم المكتوم نشر رسائل" -#: dist/converse-no-dependencies.js:41598 +#: dist/converse-no-dependencies.js:42198 msgid "Error: invalid number of arguments" msgstr "" -#: dist/converse-no-dependencies.js:41848 +#: dist/converse-no-dependencies.js:42448 msgid "" "The nickname you chose is reserved or currently in use, please choose a " "different one." @@ -718,763 +718,790 @@ msgstr "" "إنّ الإسم المستعار الذي قمت باختياره محجوز أو مُستعمَل حاليا مِن طرف شخص آخَر، " "يُرجى اختيار إسمٍ آخَر." -#: dist/converse-no-dependencies.js:41874 +#: dist/converse-no-dependencies.js:42474 msgid "Please choose your nickname" msgstr "يرجى اختيار إسمك المُستعار" -#: dist/converse-no-dependencies.js:41875 -#: dist/converse-no-dependencies.js:46177 -#: dist/converse-no-dependencies.js:53489 +#: dist/converse-no-dependencies.js:42475 +#: dist/converse-no-dependencies.js:46786 +#: dist/converse-no-dependencies.js:54098 msgid "Nickname" msgstr "الإسم المُستعار" -#: dist/converse-no-dependencies.js:41876 +#: dist/converse-no-dependencies.js:42476 msgid "Enter groupchat" msgstr "الإلتحاق بفريق المحادثة" -#: dist/converse-no-dependencies.js:41897 +#: dist/converse-no-dependencies.js:42497 msgid "This groupchat requires a password" msgstr "فريق المحادثة مؤمَّن بكلمة سرية" -#: dist/converse-no-dependencies.js:41898 +#: dist/converse-no-dependencies.js:42498 msgid "Password: " msgstr "كلمة السر : " -#: dist/converse-no-dependencies.js:41899 +#: dist/converse-no-dependencies.js:42499 msgid "Submit" msgstr "إرسال" -#: dist/converse-no-dependencies.js:42021 +#: dist/converse-no-dependencies.js:42621 #, javascript-format msgid "This action was done by %1$s." msgstr "قام %1$s بهذا الإجراء." -#: dist/converse-no-dependencies.js:42025 -#: dist/converse-no-dependencies.js:42043 +#: dist/converse-no-dependencies.js:42625 +#: dist/converse-no-dependencies.js:42643 #, javascript-format msgid "The reason given is: \"%1$s\"." msgstr "السبب : \"%1$s\"." -#: dist/converse-no-dependencies.js:41958 +#: dist/converse-no-dependencies.js:42675 #, javascript-format msgid "%1$s has left and re-entered the groupchat" msgstr "لقد انسحب %1$s مِن فريق المحادثة ثم قام بالإلتحاق به مجددا" -#: dist/converse-no-dependencies.js:41971 +#: dist/converse-no-dependencies.js:42688 #, javascript-format msgid "%1$s has entered the groupchat" msgstr "لقد إلتحق %1$s بفريق المحادثة" -#: dist/converse-no-dependencies.js:41973 +#: dist/converse-no-dependencies.js:42690 #, javascript-format msgid "%1$s has entered the groupchat. \"%2$s\"" msgstr "لقد إلتحق %1$s بفريق المحادثة. \"%2$s\"" -#: dist/converse-no-dependencies.js:42004 +#: dist/converse-no-dependencies.js:42725 #, javascript-format msgid "%1$s has entered and left the groupchat" msgstr "لقد إلتحق %1$s بفريق المحادثة ثم غادره" -#: dist/converse-no-dependencies.js:42006 +#: dist/converse-no-dependencies.js:42727 #, javascript-format msgid "%1$s has entered and left the groupchat. \"%2$s\"" msgstr "لقد إلتحق %1$s بفريق المحادثة ثم غادره. \"%2$s\"" -#: dist/converse-no-dependencies.js:42026 +#: dist/converse-no-dependencies.js:42747 #, javascript-format msgid "%1$s has left the groupchat" msgstr "غادر %1$s فريق المحادثة" -#: dist/converse-no-dependencies.js:42028 +#: dist/converse-no-dependencies.js:42749 #, javascript-format msgid "%1$s has left the groupchat. \"%2$s\"" msgstr "غادر %1$s فريق المحادثة. \"%2$s\"" -#: dist/converse-no-dependencies.js:42075 +#: dist/converse-no-dependencies.js:42796 msgid "You are not on the member list of this groupchat." msgstr "أنت لست مِن بين قائمة أعضاء فريق المحادثة هذا." -#: dist/converse-no-dependencies.js:42077 +#: dist/converse-no-dependencies.js:42798 msgid "You have been banned from this groupchat." msgstr "لقد تم طردُك مِن فريق المحادثة هذا." -#: dist/converse-no-dependencies.js:42202 +#: dist/converse-no-dependencies.js:42802 msgid "No nickname was specified." msgstr "لم تقم باختيار أي إسم مستعار." -#: dist/converse-no-dependencies.js:42085 +#: dist/converse-no-dependencies.js:42806 msgid "You are not allowed to create new groupchats." msgstr "لا يُسمح لك بإنشاء فِرَق محادثة جُدد." -#: dist/converse-no-dependencies.js:42087 +#: dist/converse-no-dependencies.js:42808 msgid "Your nickname doesn't conform to this groupchat's policies." msgstr "إنّ إسمك المستعار لا يتماشى مع سياسة فريق المحادثة هذا." -#: dist/converse-no-dependencies.js:42091 +#: dist/converse-no-dependencies.js:42812 msgid "This groupchat does not (yet) exist." msgstr "فريق المحادثة هذا ليس له وُجود بعد." -#: dist/converse-no-dependencies.js:42093 +#: dist/converse-no-dependencies.js:42814 msgid "This groupchat has reached its maximum number of participants." msgstr "لقد بلغ فريق المحادثة الحالي الحد الأقصى لاستيعاب الأعضاء." -#: dist/converse-no-dependencies.js:42216 +#: dist/converse-no-dependencies.js:42816 msgid "Remote server not found" msgstr "" -#: dist/converse-no-dependencies.js:42100 +#: dist/converse-no-dependencies.js:42821 #, javascript-format msgid "The explanation given is: \"%1$s\"." msgstr "السبب : \"%1$s\"." -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, javascript-format msgid "Topic set by %1$s" msgstr "قام %1$s بتحديد الموضوع" -#: dist/converse-no-dependencies.js:42176 +#: dist/converse-no-dependencies.js:42870 +#, fuzzy, javascript-format +msgid "Topic cleared by %1$s" +msgstr "قام %1$s بتحديد الموضوع" + +#: dist/converse-no-dependencies.js:42903 msgid "Groupchats" msgstr "فِرَق المحادثة" -#: dist/converse-no-dependencies.js:42177 +#: dist/converse-no-dependencies.js:42904 msgid "Add a new groupchat" msgstr "إضافة فريق محادثة جديد" -#: dist/converse-no-dependencies.js:42178 +#: dist/converse-no-dependencies.js:42905 msgid "Query for groupchats" msgstr "البحث عن فِرَق للمحادثة" -#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:42943 #, javascript-format msgid "Click to mention %1$s in your message." msgstr "أنقر للإشارة إلى %1$s في رسالتك." -#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:42944 msgid "This user is a moderator." msgstr "إنّ هذا المستخدِم مشرف في الغرفة." -#: dist/converse-no-dependencies.js:42218 +#: dist/converse-no-dependencies.js:42945 msgid "This user can send messages in this groupchat." msgstr "بإمكان هذا المستخدم إرسال رسائل إلى فريق المحادثة هذا." -#: dist/converse-no-dependencies.js:42219 +#: dist/converse-no-dependencies.js:42946 msgid "This user can NOT send messages in this groupchat." msgstr "لا يمكن لهذا المستخدِم إرسال رسائل في فريق المحادثة هذا." -#: dist/converse-no-dependencies.js:42220 +#: dist/converse-no-dependencies.js:42947 msgid "Moderator" msgstr "المشرف" -#: dist/converse-no-dependencies.js:42348 +#: dist/converse-no-dependencies.js:42948 msgid "Visitor" msgstr "" -#: dist/converse-no-dependencies.js:42349 +#: dist/converse-no-dependencies.js:42949 msgid "Owner" msgstr "" -#: dist/converse-no-dependencies.js:42223 +#: dist/converse-no-dependencies.js:42950 msgid "Member" msgstr "عضو" -#: dist/converse-no-dependencies.js:42351 +#: dist/converse-no-dependencies.js:42951 msgid "Admin" msgstr "" -#: dist/converse-no-dependencies.js:42393 +#: dist/converse-no-dependencies.js:42993 msgid "Participants" msgstr "" -#: dist/converse-no-dependencies.js:42410 -#: dist/converse-no-dependencies.js:42491 +#: dist/converse-no-dependencies.js:43010 +#: dist/converse-no-dependencies.js:43091 msgid "Invite" msgstr "دعوة" -#: dist/converse-no-dependencies.js:42468 +#: dist/converse-no-dependencies.js:43068 #, javascript-format msgid "" "You are about to invite %1$s to the groupchat \"%2$s\". You may optionally " "include a message, explaining the reason for the invitation." msgstr "" -#: dist/converse-no-dependencies.js:42490 +#: dist/converse-no-dependencies.js:43090 msgid "Please enter a valid XMPP username" msgstr "يُرجى إدخال إسم مستخدِم XMPP صحيح" -#: dist/converse-no-dependencies.js:43898 +#: dist/converse-no-dependencies.js:44221 +#, fuzzy +msgid "You're not allowed to register yourself in this groupchat." +msgstr "لا يُسمح لك بإنشاء غُرف محادثة جديدة." + +#: dist/converse-no-dependencies.js:44223 +#, fuzzy +msgid "" +"You're not allowed to register in this groupchat because it's members-only." +msgstr "لا يُسمح لك بإنشاء غُرف محادثة جديدة." + +#: dist/converse-no-dependencies.js:44256 +msgid "" +"Can't register your nickname in this groupchat, it doesn't support " +"registration." +msgstr "" + +#: dist/converse-no-dependencies.js:44258 +msgid "" +"Can't register your nickname in this groupchat, invalid data form supplied." +msgstr "" + +#: dist/converse-no-dependencies.js:44718 #, javascript-format msgid "%1$s has invited you to join a groupchat: %2$s" msgstr "قام %1$s بدعوتك للإلتحاق بفريق المحادثة : %2$s" -#: dist/converse-no-dependencies.js:44120 +#: dist/converse-no-dependencies.js:44720 #, fuzzy, javascript-format msgid "" "%1$s has invited you to join a groupchat: %2$s, and left the following " "reason: \"%3$s\"" msgstr "قام %1$s بدعوتك للإلتحاق بفريق المحادثة : %2$s" -#: dist/converse-no-dependencies.js:44209 +#: dist/converse-no-dependencies.js:44809 #, fuzzy msgid "Error: the groupchat " msgstr "الإلتحاق بفريق المحادثة" -#: dist/converse-no-dependencies.js:44211 +#: dist/converse-no-dependencies.js:44811 #, fuzzy msgid "Sorry, you're not allowed to registerd in this groupchat" msgstr "لا يُسمح لك بإنشاء غُرف محادثة جديدة." #. workaround for Prosody which doesn't give type "headline" -#: dist/converse-no-dependencies.js:44596 -#: dist/converse-no-dependencies.js:44602 +#: dist/converse-no-dependencies.js:45196 +#: dist/converse-no-dependencies.js:45202 #, javascript-format msgid "Notification from %1$s" msgstr "إشعار مِن %1$s" -#: dist/converse-no-dependencies.js:44604 -#: dist/converse-no-dependencies.js:44615 -#: dist/converse-no-dependencies.js:44618 +#: dist/converse-no-dependencies.js:45204 +#: dist/converse-no-dependencies.js:45215 +#: dist/converse-no-dependencies.js:45218 #, javascript-format msgid "%1$s says" msgstr "%1$s قال" #. TODO: we should suppress notifications if we cannot decrypt #. the message... -#: dist/converse-no-dependencies.js:44627 +#: dist/converse-no-dependencies.js:45227 #, fuzzy msgid "OMEMO Message received" msgstr "أرشفة الرسائل" -#: dist/converse-no-dependencies.js:44654 +#: dist/converse-no-dependencies.js:45254 msgid "has gone offline" msgstr "قد قطع الإتصال" -#: dist/converse-no-dependencies.js:44656 +#: dist/converse-no-dependencies.js:45256 msgid "has gone away" msgstr "قد غاب" -#: dist/converse-no-dependencies.js:44658 +#: dist/converse-no-dependencies.js:45258 msgid "is busy" msgstr "مشغول" -#: dist/converse-no-dependencies.js:44660 +#: dist/converse-no-dependencies.js:45260 msgid "has come online" msgstr "صار مُتّصلا الآن" -#: dist/converse-no-dependencies.js:44677 +#: dist/converse-no-dependencies.js:45277 msgid "wants to be your contact" msgstr "يُريد أن يُصبح مُراسلك" -#: dist/converse-no-dependencies.js:44651 +#: dist/converse-no-dependencies.js:45498 msgid "Sorry, an error occurred while trying to remove the devices." msgstr "المعذرة، لقد طرأ هناك خطأ أثناء محاولة حذف الأجهزة." -#: dist/converse-no-dependencies.js:45021 +#: dist/converse-no-dependencies.js:45630 msgid "Sorry, could not decrypt a received OMEMO message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:45172 +#: dist/converse-no-dependencies.js:45781 msgid "" "This is an OMEMO encrypted message which your client doesn’t seem to " "support. Find more information on https://conversations.im/omemo" msgstr "" -#: dist/converse-no-dependencies.js:45233 +#: dist/converse-no-dependencies.js:45842 msgid "Sorry, could not send the message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:46171 +#: dist/converse-no-dependencies.js:46780 msgid "Your avatar image" msgstr "" -#: dist/converse-no-dependencies.js:46172 +#: dist/converse-no-dependencies.js:46781 msgid "Your Profile" msgstr "ملفك الشخصي" -#: dist/converse-no-dependencies.js:46173 -#: dist/converse-no-dependencies.js:46263 -#: dist/converse-no-dependencies.js:51093 -#: dist/converse-no-dependencies.js:52260 -#: dist/converse-no-dependencies.js:53463 -#: dist/converse-no-dependencies.js:53583 +#: dist/converse-no-dependencies.js:46782 +#: dist/converse-no-dependencies.js:46872 +#: dist/converse-no-dependencies.js:51702 +#: dist/converse-no-dependencies.js:52869 +#: dist/converse-no-dependencies.js:54072 +#: dist/converse-no-dependencies.js:54192 msgid "Close" msgstr "إغلاق" -#: dist/converse-no-dependencies.js:46174 -#: dist/converse-no-dependencies.js:53507 +#: dist/converse-no-dependencies.js:46783 +#: dist/converse-no-dependencies.js:54116 msgid "Email" msgstr "البريد الإلكتروني" -#: dist/converse-no-dependencies.js:46175 -#: dist/converse-no-dependencies.js:53477 +#: dist/converse-no-dependencies.js:46784 +#: dist/converse-no-dependencies.js:54086 msgid "Full Name" msgstr "الإسم الكامل" -#: dist/converse-no-dependencies.js:46176 +#: dist/converse-no-dependencies.js:46785 #, fuzzy msgid "XMPP Address (JID)" msgstr "عنوان XMPP" -#: dist/converse-no-dependencies.js:46178 -#: dist/converse-no-dependencies.js:53517 +#: dist/converse-no-dependencies.js:46787 +#: dist/converse-no-dependencies.js:54126 msgid "Role" msgstr "الدور" -#: dist/converse-no-dependencies.js:46179 +#: dist/converse-no-dependencies.js:46788 msgid "" "Use commas to separate multiple roles. Your roles are shown next to your " "name on your chat messages." msgstr "" -#: dist/converse-no-dependencies.js:46180 -#: dist/converse-no-dependencies.js:53497 +#: dist/converse-no-dependencies.js:46789 +#: dist/converse-no-dependencies.js:54106 msgid "URL" msgstr "عنوان الرابط" -#: dist/converse-no-dependencies.js:45966 +#: dist/converse-no-dependencies.js:46823 msgid "Sorry, an error happened while trying to save your profile data." msgstr "المعذرة، لقد طرأ هناك خطأ أثناء محاولة الإحتفاظ ببيانات ملفك الشخصي." -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 msgid "You can check your browser's developer console for any error output." msgstr "" -#: dist/converse-no-dependencies.js:46262 -#: dist/converse-no-dependencies.js:48927 +#: dist/converse-no-dependencies.js:46871 +#: dist/converse-no-dependencies.js:49536 msgid "Away" msgstr "غائب" -#: dist/converse-no-dependencies.js:46264 -#: dist/converse-no-dependencies.js:48926 +#: dist/converse-no-dependencies.js:46873 +#: dist/converse-no-dependencies.js:49535 msgid "Busy" msgstr "مشغول" -#: dist/converse-no-dependencies.js:46266 +#: dist/converse-no-dependencies.js:46875 msgid "Custom status" msgstr "حالتك الخاصة" -#: dist/converse-no-dependencies.js:46267 -#: dist/converse-no-dependencies.js:48929 +#: dist/converse-no-dependencies.js:46876 +#: dist/converse-no-dependencies.js:49538 msgid "Offline" msgstr "غير متصل" -#: dist/converse-no-dependencies.js:46268 -#: dist/converse-no-dependencies.js:48924 +#: dist/converse-no-dependencies.js:46877 +#: dist/converse-no-dependencies.js:49533 msgid "Online" msgstr "مُتّصل" -#: dist/converse-no-dependencies.js:46270 +#: dist/converse-no-dependencies.js:46879 msgid "Away for long" msgstr "غائب لمدة قد تطول" -#: dist/converse-no-dependencies.js:46271 +#: dist/converse-no-dependencies.js:46880 msgid "Change chat status" msgstr "أنقر لتغيير حالة الدردشة" -#: dist/converse-no-dependencies.js:46272 +#: dist/converse-no-dependencies.js:46881 msgid "Personal status message" msgstr "رسالة الحالة الخاصة" -#: dist/converse-no-dependencies.js:46317 +#: dist/converse-no-dependencies.js:46926 #, javascript-format msgid "I am %1$s" msgstr "أنا %1$s" -#: dist/converse-no-dependencies.js:46320 +#: dist/converse-no-dependencies.js:46929 msgid "Change settings" msgstr "تغيير الإعدادات" -#: dist/converse-no-dependencies.js:46321 +#: dist/converse-no-dependencies.js:46930 msgid "Click to change your chat status" msgstr "أنقر لتغيير حالتك للدردشة" -#: dist/converse-no-dependencies.js:46322 +#: dist/converse-no-dependencies.js:46931 msgid "Log out" msgstr "الخروج" -#: dist/converse-no-dependencies.js:46323 +#: dist/converse-no-dependencies.js:46932 msgid "Your profile" msgstr "ملفك الشخصي" -#: dist/converse-no-dependencies.js:46349 +#: dist/converse-no-dependencies.js:46958 msgid "Are you sure you want to log out?" msgstr "هل أنت متأكد أنك تريد الخروج ؟" -#: dist/converse-no-dependencies.js:46357 -#: dist/converse-no-dependencies.js:46367 +#: dist/converse-no-dependencies.js:46966 +#: dist/converse-no-dependencies.js:46976 msgid "online" msgstr "متصل" -#: dist/converse-no-dependencies.js:46359 +#: dist/converse-no-dependencies.js:46968 msgid "busy" msgstr "مشغول" -#: dist/converse-no-dependencies.js:46361 +#: dist/converse-no-dependencies.js:46970 msgid "away for long" msgstr "غائب لمدة قد تطول" -#: dist/converse-no-dependencies.js:46363 +#: dist/converse-no-dependencies.js:46972 msgid "away" msgstr "غائب" -#: dist/converse-no-dependencies.js:46365 +#: dist/converse-no-dependencies.js:46974 msgid "offline" msgstr "غير متصل" -#: dist/converse-no-dependencies.js:46698 +#: dist/converse-no-dependencies.js:47307 msgid " e.g. conversejs.org" msgstr " مثال conversejs.org" -#: dist/converse-no-dependencies.js:46745 +#: dist/converse-no-dependencies.js:47354 msgid "Fetch registration form" msgstr "جارٍ جلب استمارة التسجيل" -#: dist/converse-no-dependencies.js:46746 +#: dist/converse-no-dependencies.js:47355 msgid "Tip: A list of public XMPP providers is available" msgstr "" -#: dist/converse-no-dependencies.js:46747 +#: dist/converse-no-dependencies.js:47356 msgid "here" msgstr "هنا" -#: dist/converse-no-dependencies.js:46795 +#: dist/converse-no-dependencies.js:47404 msgid "Sorry, we're unable to connect to your chosen provider." msgstr "المعذرة، لم نتمكن بربطك بموفر خدمة المحادثة الذي قمت باختياره." -#: dist/converse-no-dependencies.js:46811 +#: dist/converse-no-dependencies.js:47420 msgid "" "Sorry, the given provider does not support in band account registration. " "Please try with a different provider." msgstr "" -#: dist/converse-no-dependencies.js:46835 +#: dist/converse-no-dependencies.js:47444 #, javascript-format msgid "" "Something went wrong while establishing a connection with \"%1$s\". Are you " "sure it exists?" msgstr "" -#: dist/converse-no-dependencies.js:46998 +#: dist/converse-no-dependencies.js:47607 msgid "Now logging you in" msgstr "جارٍ تسجيل دخولك الآن" -#: dist/converse-no-dependencies.js:47002 +#: dist/converse-no-dependencies.js:47611 msgid "Registered successfully" msgstr "تم تسجيل حسابك بنجاح" -#: dist/converse-no-dependencies.js:47111 +#: dist/converse-no-dependencies.js:47720 msgid "" "The provider rejected your registration attempt. Please check the values you " "entered for correctness." msgstr "" -#: dist/converse-no-dependencies.js:47207 +#: dist/converse-no-dependencies.js:48095 msgid "Click to toggle the list of open groupchats" msgstr "أنقر لفتح قائمة فِرَق المحادثة" -#: dist/converse-no-dependencies.js:47487 +#: dist/converse-no-dependencies.js:48096 msgid "Open Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:47252 +#: dist/converse-no-dependencies.js:48140 #, javascript-format msgid "Are you sure you want to leave the groupchat %1$s?" msgstr "هل أنت متأكد أنك تريد الإنسحاب مِن فريق المحادثة %1$s ؟" -#: dist/converse-no-dependencies.js:48157 +#: dist/converse-no-dependencies.js:48766 #, javascript-format msgid "Sorry, there was an error while trying to add %1$s as a contact." msgstr "المعذرة، لقد حدث هناك خطأ أثناء محاولة إضافة %1$s كمُراسِل." -#: dist/converse-no-dependencies.js:48368 +#: dist/converse-no-dependencies.js:48977 msgid "This client does not allow presence subscriptions" msgstr "" -#: dist/converse-no-dependencies.js:48478 +#: dist/converse-no-dependencies.js:49087 msgid "Click to hide these contacts" msgstr "أْنقُر لإخفاء هؤلاء المراسلين" -#: dist/converse-no-dependencies.js:48742 +#: dist/converse-no-dependencies.js:49351 msgid "This contact is busy" msgstr "إنّ المُراسَل مشغول" -#: dist/converse-no-dependencies.js:48743 +#: dist/converse-no-dependencies.js:49352 msgid "This contact is online" msgstr "إنّ هذا المُراسَل غير مُتصل" -#: dist/converse-no-dependencies.js:48744 +#: dist/converse-no-dependencies.js:49353 msgid "This contact is offline" msgstr "هذا المراسل غير متصل" -#: dist/converse-no-dependencies.js:48745 +#: dist/converse-no-dependencies.js:49354 msgid "This contact is unavailable" msgstr "إنّ هذا المراسَل غير متوفر" -#: dist/converse-no-dependencies.js:48746 +#: dist/converse-no-dependencies.js:49355 msgid "This contact is away for an extended period" msgstr "لقد غاب هذا المستخدِم ثانية لفترة أطوَل" -#: dist/converse-no-dependencies.js:48747 +#: dist/converse-no-dependencies.js:49356 msgid "This contact is away" msgstr "إنّ هذا المراسَل غائب" -#: dist/converse-no-dependencies.js:48750 +#: dist/converse-no-dependencies.js:49359 msgid "Groups" msgstr "الفِرَق" -#: dist/converse-no-dependencies.js:48752 +#: dist/converse-no-dependencies.js:49361 msgid "My contacts" msgstr "جهات إتصالي" -#: dist/converse-no-dependencies.js:48754 +#: dist/converse-no-dependencies.js:49363 msgid "Pending contacts" msgstr "المُراسلون المُعلّقون" -#: dist/converse-no-dependencies.js:48756 +#: dist/converse-no-dependencies.js:49365 msgid "Contact requests" msgstr "طلبات التراسل" -#: dist/converse-no-dependencies.js:48758 +#: dist/converse-no-dependencies.js:49367 msgid "Ungrouped" msgstr "" -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:49410 msgid "Contact name" msgstr "إسم المراسل" -#: dist/converse-no-dependencies.js:48804 +#: dist/converse-no-dependencies.js:49413 msgid "Add a Contact" msgstr "إضافة مراسل" -#: dist/converse-no-dependencies.js:48805 -#: dist/converse-no-dependencies.js:53483 +#: dist/converse-no-dependencies.js:49414 +#: dist/converse-no-dependencies.js:54092 msgid "XMPP Address" msgstr "عنوان XMPP" -#: dist/converse-no-dependencies.js:48807 +#: dist/converse-no-dependencies.js:49416 msgid "name@example.org" msgstr "name@example.org" -#: dist/converse-no-dependencies.js:48808 +#: dist/converse-no-dependencies.js:49417 msgid "Add" msgstr "إضافة" -#: dist/converse-no-dependencies.js:48918 +#: dist/converse-no-dependencies.js:49527 msgid "Filter" msgstr "عامل التصفية" -#: dist/converse-no-dependencies.js:48919 +#: dist/converse-no-dependencies.js:49528 msgid "Filter by contact name" msgstr "فرز حسب اسم جهة الاتصال" -#: dist/converse-no-dependencies.js:48920 +#: dist/converse-no-dependencies.js:49529 msgid "Filter by group name" msgstr "فرز حسب اسم المجموعة" -#: dist/converse-no-dependencies.js:48921 +#: dist/converse-no-dependencies.js:49530 msgid "Filter by status" msgstr "تصنيف حسب الحالة" -#: dist/converse-no-dependencies.js:48922 +#: dist/converse-no-dependencies.js:49531 msgid "Any" msgstr "الكل" -#: dist/converse-no-dependencies.js:48923 +#: dist/converse-no-dependencies.js:49532 msgid "Unread" msgstr "غير مقروءة" -#: dist/converse-no-dependencies.js:48925 +#: dist/converse-no-dependencies.js:49534 msgid "Chatty" msgstr "كثيرة الدردشة" -#: dist/converse-no-dependencies.js:48928 +#: dist/converse-no-dependencies.js:49537 msgid "Extended Away" msgstr "" -#: dist/converse-no-dependencies.js:49097 -#: dist/converse-no-dependencies.js:49154 +#: dist/converse-no-dependencies.js:49706 +#: dist/converse-no-dependencies.js:49763 #, javascript-format msgid "Click to remove %1$s as a contact" msgstr "أنقر لإزالة %1$s مِن قائمة مراسليك" -#: dist/converse-no-dependencies.js:49106 +#: dist/converse-no-dependencies.js:49715 #, javascript-format msgid "Click to accept the contact request from %1$s" msgstr "أنقر لقبول طلب التراسل مع %1$s" -#: dist/converse-no-dependencies.js:49107 +#: dist/converse-no-dependencies.js:49716 #, javascript-format msgid "Click to decline the contact request from %1$s" msgstr "أنقر لرفض طلب التراسل مع %1$s" -#: dist/converse-no-dependencies.js:49153 +#: dist/converse-no-dependencies.js:49762 #, javascript-format msgid "Click to chat with %1$s (JID: %2$s)" msgstr "أنقر للتحدث مع %1$s (JID : %2$s)" -#: dist/converse-no-dependencies.js:49230 +#: dist/converse-no-dependencies.js:49839 msgid "Are you sure you want to decline this contact request?" msgstr "هل أنت متأكد أنك تود رفض طلب التراسل مع هذا المستخدِم ؟" -#: dist/converse-no-dependencies.js:49499 +#: dist/converse-no-dependencies.js:50108 msgid "Contacts" msgstr "جهات الإتصال" -#: dist/converse-no-dependencies.js:49500 +#: dist/converse-no-dependencies.js:50109 msgid "Add a contact" msgstr "إضافة مراسل" -#: dist/converse-no-dependencies.js:50959 +#: dist/converse-no-dependencies.js:51568 msgid "Name" msgstr "" -#: dist/converse-no-dependencies.js:50682 +#: dist/converse-no-dependencies.js:51572 msgid "Groupchat address (JID)" msgstr "عنوان فريق المحادثة (JID)" -#: dist/converse-no-dependencies.js:50686 +#: dist/converse-no-dependencies.js:51576 msgid "Description" msgstr "الوصف" -#: dist/converse-no-dependencies.js:50973 +#: dist/converse-no-dependencies.js:51582 msgid "Topic" msgstr "" -#: dist/converse-no-dependencies.js:50977 +#: dist/converse-no-dependencies.js:51586 msgid "Topic author" msgstr "" -#: dist/converse-no-dependencies.js:50702 +#: dist/converse-no-dependencies.js:51592 msgid "Online users" msgstr "المستخدِدون المتصلون" -#: dist/converse-no-dependencies.js:50987 -#: dist/converse-no-dependencies.js:51139 +#: dist/converse-no-dependencies.js:51596 +#: dist/converse-no-dependencies.js:51748 msgid "Features" msgstr "الميزات" -#: dist/converse-no-dependencies.js:50991 -#: dist/converse-no-dependencies.js:51147 +#: dist/converse-no-dependencies.js:51600 +#: dist/converse-no-dependencies.js:51756 msgid "Password protected" msgstr "مؤمَّنة بكلمة سرية" -#: dist/converse-no-dependencies.js:50712 -#: dist/converse-no-dependencies.js:50864 +#: dist/converse-no-dependencies.js:51602 +#: dist/converse-no-dependencies.js:51754 msgid "This groupchat requires a password before entry" msgstr "كلمة السر لازمة للدخول إلى فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:50718 +#: dist/converse-no-dependencies.js:51608 msgid "No password required" msgstr "بدون كلمة سرية" -#: dist/converse-no-dependencies.js:50720 -#: dist/converse-no-dependencies.js:50872 +#: dist/converse-no-dependencies.js:51610 +#: dist/converse-no-dependencies.js:51762 msgid "This groupchat does not require a password upon entry" msgstr "فريق المحادثة هذا لا يتطلّب كلمة سرية قبل الدخول إليها" -#: dist/converse-no-dependencies.js:50728 -#: dist/converse-no-dependencies.js:50880 +#: dist/converse-no-dependencies.js:51618 +#: dist/converse-no-dependencies.js:51770 msgid "This groupchat is not publicly searchable" msgstr "ليس بالإمكان البحث عن فريق المحادثة هذا عبر البحث العمومي" -#: dist/converse-no-dependencies.js:50736 -#: dist/converse-no-dependencies.js:50888 +#: dist/converse-no-dependencies.js:51626 +#: dist/converse-no-dependencies.js:51778 msgid "This groupchat is publicly searchable" msgstr "يمكن البحث العمومي عن فريق المحادثة هذا" -#: dist/converse-no-dependencies.js:51023 -#: dist/converse-no-dependencies.js:51179 +#: dist/converse-no-dependencies.js:51632 +#: dist/converse-no-dependencies.js:51788 msgid "Members only" msgstr "الأعضاء فقط" -#: dist/converse-no-dependencies.js:50744 +#: dist/converse-no-dependencies.js:51634 msgid "This groupchat is restricted to members only" msgstr "فريق المحادثة هذا مخصص للأعضاء المُنتمين إليه فقط" -#: dist/converse-no-dependencies.js:50752 -#: dist/converse-no-dependencies.js:50904 +#: dist/converse-no-dependencies.js:51642 +#: dist/converse-no-dependencies.js:51794 msgid "Anyone can join this groupchat" msgstr "يمكن للجميع الإلتحاق بفريق المحادثة هذا" -#: dist/converse-no-dependencies.js:51039 -#: dist/converse-no-dependencies.js:51195 +#: dist/converse-no-dependencies.js:51648 +#: dist/converse-no-dependencies.js:51804 msgid "Persistent" msgstr "دائمة" -#: dist/converse-no-dependencies.js:50760 -#: dist/converse-no-dependencies.js:50912 +#: dist/converse-no-dependencies.js:51650 +#: dist/converse-no-dependencies.js:51802 msgid "This groupchat persists even if it's unoccupied" msgstr "فريق المحادثة هذا غير زائل حتى و إن كان لا يحتوي على مقيمين" -#: dist/converse-no-dependencies.js:50768 -#: dist/converse-no-dependencies.js:50920 +#: dist/converse-no-dependencies.js:51658 +#: dist/converse-no-dependencies.js:51810 msgid "This groupchat will disappear once the last person leaves" msgstr "سوف يختفي فريق المحادثة هذا عندما يخرج منه آخِر مُستخدِم" -#: dist/converse-no-dependencies.js:50774 -#: dist/converse-no-dependencies.js:50930 +#: dist/converse-no-dependencies.js:51664 +#: dist/converse-no-dependencies.js:51820 msgid "Not anonymous" msgstr "غير مجهول" -#: dist/converse-no-dependencies.js:50776 -#: dist/converse-no-dependencies.js:50928 +#: dist/converse-no-dependencies.js:51666 +#: dist/converse-no-dependencies.js:51818 msgid "All other groupchat participants can see your XMPP username" msgstr "يُمكن لكل أعضاء فريق المحادثة الإطلاع على إسم المستخدِم XMPP الخاص بك" -#: dist/converse-no-dependencies.js:51065 -#: dist/converse-no-dependencies.js:51217 +#: dist/converse-no-dependencies.js:51674 +#: dist/converse-no-dependencies.js:51826 msgid "Only moderators can see your XMPP username" msgstr "بإمكان المشرفين فقط رؤية إسم XMPP الخاص بك" -#: dist/converse-no-dependencies.js:50792 -#: dist/converse-no-dependencies.js:50944 +#: dist/converse-no-dependencies.js:51682 +#: dist/converse-no-dependencies.js:51834 msgid "This groupchat is being moderated" msgstr "فريق المحادثة هذا تحت الإشراف" -#: dist/converse-no-dependencies.js:50798 -#: dist/converse-no-dependencies.js:50954 +#: dist/converse-no-dependencies.js:51688 +#: dist/converse-no-dependencies.js:51844 msgid "Not moderated" msgstr "ليس تحت الإشراف" -#: dist/converse-no-dependencies.js:50800 -#: dist/converse-no-dependencies.js:50952 +#: dist/converse-no-dependencies.js:51690 +#: dist/converse-no-dependencies.js:51842 msgid "This groupchat is not being moderated" msgstr "أصبح فريق المحادثة هذا مِن دون إشراف" -#: dist/converse-no-dependencies.js:51087 -#: dist/converse-no-dependencies.js:51243 +#: dist/converse-no-dependencies.js:51696 +#: dist/converse-no-dependencies.js:51852 msgid "Message archiving" msgstr "أرشفة الرسائل" -#: dist/converse-no-dependencies.js:51089 -#: dist/converse-no-dependencies.js:51241 +#: dist/converse-no-dependencies.js:51698 +#: dist/converse-no-dependencies.js:51850 msgid "Messages are archived on the server" msgstr "الرسائل محفوظة على الخادوم" -#: dist/converse-no-dependencies.js:51155 +#: dist/converse-no-dependencies.js:51764 msgid "No password" msgstr "بدون كلمة سرية" -#: dist/converse-no-dependencies.js:50896 +#: dist/converse-no-dependencies.js:51786 msgid "this groupchat is restricted to members only" msgstr "فريق المحادثة الحالي مخصص للأعضاء المُنتمين إليه فقط" -#: dist/converse-no-dependencies.js:52082 +#: dist/converse-no-dependencies.js:52691 msgid "XMPP Username:" msgstr "إسم المستخدِم :" -#: dist/converse-no-dependencies.js:52088 +#: dist/converse-no-dependencies.js:52697 msgid "Password:" msgstr "كلمة السر :" -#: dist/converse-no-dependencies.js:52090 +#: dist/converse-no-dependencies.js:52699 msgid "password" msgstr "كلمة السر" -#: dist/converse-no-dependencies.js:52098 +#: dist/converse-no-dependencies.js:52707 msgid "This is a trusted device" msgstr "أنا على جهاز أثق فيه" -#: dist/converse-no-dependencies.js:52100 +#: dist/converse-no-dependencies.js:52709 msgid "" "To improve performance, we cache your data in this browser. Uncheck this box " "if this is a public computer or if you want your data to be deleted when you " @@ -1482,143 +1509,149 @@ msgid "" "cached data might be deleted." msgstr "" -#: dist/converse-no-dependencies.js:51819 +#: dist/converse-no-dependencies.js:52711 msgid "Log in" msgstr "تسجيل الدخول" -#: dist/converse-no-dependencies.js:52108 +#: dist/converse-no-dependencies.js:52717 msgid "Click here to log in anonymously" msgstr "أُنقُر هنا لتسجيل الدخول كشخص مجهول" -#: dist/converse-no-dependencies.js:51914 +#: dist/converse-no-dependencies.js:52806 msgid "This message has been edited" msgstr "تم إعادة تحرير هذه الرسالة" -#: dist/converse-no-dependencies.js:51940 +#: dist/converse-no-dependencies.js:52832 msgid "Edit this message" msgstr "تعديل هذه الرسالة" -#: dist/converse-no-dependencies.js:51965 +#: dist/converse-no-dependencies.js:52857 msgid "Message versions" msgstr "أرشفة الرسائل" -#: dist/converse-no-dependencies.js:52473 +#: dist/converse-no-dependencies.js:53082 msgid "Save and close" msgstr "حفظ وإغلاق" -#: dist/converse-no-dependencies.js:52477 +#: dist/converse-no-dependencies.js:53086 msgid "This device's OMEMO fingerprint" msgstr "بصمة أوميمو الخاصة بهذا الجهاز" -#: dist/converse-no-dependencies.js:52489 +#: dist/converse-no-dependencies.js:53098 msgid "Select all" msgstr "اختيار الكل" -#: dist/converse-no-dependencies.js:52491 +#: dist/converse-no-dependencies.js:53100 msgid "Checkbox to select fingerprints of all other OMEMO devices" msgstr "" -#: dist/converse-no-dependencies.js:52493 +#: dist/converse-no-dependencies.js:53102 msgid "Other OMEMO-enabled devices" msgstr "" -#: dist/converse-no-dependencies.js:52501 -#: dist/converse-no-dependencies.js:52509 +#: dist/converse-no-dependencies.js:53110 +#: dist/converse-no-dependencies.js:53118 msgid "Checkbox for selecting the following fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52228 +#: dist/converse-no-dependencies.js:53120 msgid "Device without a fingerprint" msgstr "الجهاز مِن دون بصمة" -#: dist/converse-no-dependencies.js:52517 +#: dist/converse-no-dependencies.js:53126 msgid "Remove checked devices and close" msgstr "" -#: dist/converse-no-dependencies.js:52599 +#: dist/converse-no-dependencies.js:53208 msgid "Don't have a chat account?" msgstr "لا تمتلك حسابًا للمحادثة بعدُ ؟" -#: dist/converse-no-dependencies.js:52601 +#: dist/converse-no-dependencies.js:53210 msgid "Create an account" msgstr "أنشئ حسابًا" -#: dist/converse-no-dependencies.js:52622 +#: dist/converse-no-dependencies.js:53231 msgid "Create your account" msgstr "إنشئ حسابك" -#: dist/converse-no-dependencies.js:52624 +#: dist/converse-no-dependencies.js:53233 msgid "Please enter the XMPP provider to register with:" msgstr "يرجى إدخال مزود خدمة XMPP الذي تود إنشاء حسابك فيه :" -#: dist/converse-no-dependencies.js:52644 +#: dist/converse-no-dependencies.js:53253 msgid "Already have a chat account?" msgstr "عندك حساب مُحادثة ؟" -#: dist/converse-no-dependencies.js:52646 +#: dist/converse-no-dependencies.js:53255 msgid "Log in here" msgstr "قم بتسجيل الدخول هنا" -#: dist/converse-no-dependencies.js:52667 +#: dist/converse-no-dependencies.js:53276 msgid "Account Registration:" msgstr "إنشاء حساب :" -#: dist/converse-no-dependencies.js:52675 +#: dist/converse-no-dependencies.js:53284 msgid "Register" msgstr "تسجيل حساب" -#: dist/converse-no-dependencies.js:52679 +#: dist/converse-no-dependencies.js:53288 msgid "Choose a different provider" msgstr "إختر مزود خدمة آخَر" -#: dist/converse-no-dependencies.js:52700 +#: dist/converse-no-dependencies.js:53309 msgid "Hold tight, we're fetching the registration form…" msgstr "تحلى بالصبر، جارٍ جلب استمارة التسجيل …" -#: dist/converse-no-dependencies.js:53415 +#: dist/converse-no-dependencies.js:54024 msgid "Messages are being sent in plaintext" msgstr "" -#: dist/converse-no-dependencies.js:53467 +#: dist/converse-no-dependencies.js:54076 msgid "The User's Profile Image" msgstr "الصورة الشخصية للمستخدم" -#: dist/converse-no-dependencies.js:53525 +#: dist/converse-no-dependencies.js:54134 msgid "OMEMO Fingerprints" msgstr "بصمات أوميمو" -#: dist/converse-no-dependencies.js:53549 +#: dist/converse-no-dependencies.js:54158 msgid "Trusted" msgstr "موثوق فيه" -#: dist/converse-no-dependencies.js:53563 +#: dist/converse-no-dependencies.js:54172 msgid "Untrusted" msgstr "غير موثوق فيه" -#: dist/converse-no-dependencies.js:53577 +#: dist/converse-no-dependencies.js:54186 msgid "Remove as contact" msgstr "إزالة مِن المراسِلين" -#: dist/converse-no-dependencies.js:53581 +#: dist/converse-no-dependencies.js:54190 msgid "Refresh" msgstr "تحديث" -#: dist/converse-no-dependencies.js:53950 -#: dist/converse-no-dependencies.js:53981 +#: dist/converse-no-dependencies.js:54559 msgid "Download" msgstr "تنزيل" -#: dist/converse-no-dependencies.js:53687 -#, javascript-format -msgid "Download \"%1$s\"" +#: dist/converse-no-dependencies.js:54579 +#, fuzzy, javascript-format +msgid "Download file \"%1$s\"" msgstr "تنزيل : \"%1$s\"" -#: dist/converse-no-dependencies.js:53994 -msgid "Download video file" +#: dist/converse-no-dependencies.js:54591 +#, fuzzy, javascript-format +msgid "Download image \"%1$s\"" +msgstr "تنزيل : \"%1$s\"" + +#: dist/converse-no-dependencies.js:54604 +#, fuzzy, javascript-format +msgid "Download video file \"%1$s\"" msgstr "تنزيل ملف الفيديو" -#: dist/converse-no-dependencies.js:54007 -msgid "Download audio file" +#: dist/converse-no-dependencies.js:54617 +#, fuzzy, javascript-format +msgid "Download audio file \"%1$s\"" msgstr "تنزيل ملف صوتي" #~ msgid "Jabber ID" diff --git a/locale/bg/LC_MESSAGES/converse.json b/locale/bg/LC_MESSAGES/converse.json index c5ede87fe..a2b4a8282 100644 --- a/locale/bg/LC_MESSAGES/converse.json +++ b/locale/bg/LC_MESSAGES/converse.json @@ -1 +1 @@ -{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n != 1;","lang":"bg"},"The name for this bookmark:":["Името за тази отметка:"],"Save":["Запис"],"Cancel":["Отменяне"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Сигурни ли сте, че искате да премахнете отметката „%1$s“?"],"Error":[""],"Sorry, something went wrong while trying to save your bookmark.":["Извинете, нещо се обърка при опита за записване на отметката ви."],"Remove this bookmark":["Премахване на тази отметка"],"Click to toggle the bookmarks list":["Натиснете за скриване/показване на списъка с отметки"],"Bookmarks":["Отметки"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":["Затваряне на това прозорче за разговори"],"Are you sure you want to remove this contact?":["Сигурни ли сте, че искате да премахнете този познат?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Извинете, възникна грешка при опит за премахване на %1$s като познат."],"You have unread messages":["Имате непрочетени съобщения"],"Hidden message":["Скрито съобщение"],"Message":["Съобщение"],"Send":["Изпращане"],"Optional hint":["Съвет (незадължително)"],"Choose a file to send":[""],"Click to write as a normal (non-spoiler) message":["Натиснете за писане на нормално (неакордеонно) съобщение"],"Click to write your message as a spoiler":["Натиснете, за да пишете съобщение, разгъващо се като акордеон"],"Clear all messages":["Изчистване на всички съобщения"],"Start a call":["Обаждане"],"Remove messages":["Премахване на съобщения"],"Write in the third person":["Писане от трето лице"],"Show this menu":["Показване на това меню"],"Username":["Потребителско име"],"user@domain":["потребител@област"],"Please enter a valid XMPP address":["Моля въведете действителен XMPP адрес"],"Toggle chat":["Разговори"],"The connection has dropped, attempting to reconnect.":["Връзката е прекъснала, опитва се повторно свързване."],"An error occurred while connecting to the chat server.":["Възникна грешка при свързване към сървъра за разговори."],"Your Jabber ID and/or password is incorrect. Please try again.":["Вашето джабер ID и/или парола са погрешни. Моля опитайте отново."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Извинете, не можахме да се свържем към XMPP хоста с областта: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["XMPP сървърът не предложи поддържан удостоверителен механизъм"],"Typing from another device":["Пише от друго устройство"],"Stopped typing on the other device":["Спря да пише на другото устройство"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Минимизиране на това прозорче за разговори"],"Click to restore this chat":["Натисне за възстановяване на този разговор"],"Minimized":["Минимизирани"],"%1$s has been banned":["Достъпът на %1$s е спрян"],"%1$s's nickname has changed":["Краткото име на %1$s се промени"],"%1$s has been kicked out":["%1$s беше изведен"],"%1$s has been removed because of an affiliation change":["%1$s беше премахнат заради промяна на принадлежност"],"%1$s has been removed for not being a member":["%1$s беше премахнат, защото не е член"],"Your nickname has been automatically set to %1$s":["Вашето кратко име беше автоматично установено на %1$s"],"Your nickname has been changed to %1$s":["Краткото ви име беше променено на %1$s"],"Description:":["Описание:"],"Features:":["Свойства:"],"Requires authentication":["Изисква удостоверяване"],"Hidden":["Скрита"],"Requires an invitation":["Изисква покана"],"Moderated":["Модерирана"],"Non-anonymous":["Неанонимна"],"Open":["Отворена"],"Public":["Обществена"],"Semi-anonymous":["Полуанонимна"],"Temporary":["Временна"],"Unmoderated":["Немодерирана"],"name@conference.example.org":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Грешка: командата “%1$s” приема два аргумента – краткото име на потребителя и, по желание, причина."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":["Промяна на ролята на потребителя на администратор"],"Change user role to participant":["Променяне на ролята на потребителя на участник"],"Write in 3rd person":["Писане от трето лице"],"Grant membership to a user":["Даване на членство на потребител"],"Remove user's ability to post messages":["Премахване на възможността на потребителя да публикува съобщения"],"Change your nickname":["Промяна на краткото ви име"],"Grant moderator role to user":["Даване на роля модератор на потребителя"],"Revoke user's membership":["Спиране на членството на потребителя"],"Allow muted user to post messages":["Позволяване на заглушен потребител да публикува съобщения"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Краткото име, което избрахте, е запазено или понастоящем се ползва, моля изберете друго."],"Please choose your nickname":["Моля изберете си кратко име"],"Nickname":["Кратко име"],"Password: ":["Парола: "],"Submit":["Изпращане"],"This action was done by %1$s.":["Това действие беше извършено от %1$s."],"The reason given is: \"%1$s\".":["Дадената причина е: „%1$s“."],"No nickname was specified.":["Не беше указано кратко име."],"Remote server not found":[""],"Click to mention %1$s in your message.":["Натиснете за да споменете %1$s в съобщението си."],"This user is a moderator.":["Този потребител е модератор."],"Visitor":[""],"Owner":[""],"Admin":[""],"Participants":[""],"Invite":["Поканване"],"Please enter a valid XMPP username":["Моля въведете действително потребителско име за XMPP"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Известие от %1$s"],"%1$s says":["%1$s казва"],"has gone offline":["се изключи"],"has gone away":["се е махнал(а)"],"is busy":["е зает(а)"],"has come online":["се включи"],"wants to be your contact":["иска да се свърже с вас"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Full Name":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Отсъстващ(а)"],"Busy":["Зает(а)"],"Custom status":["Състояние чрез въвеждане"],"Offline":["Изключен(а)"],"Online":["Включен(а)"],"I am %1$s":["Аз съм %1$s"],"Change settings":[""],"Click to change your chat status":["Натиснете, за да промените състоянието си за разговор"],"Log out":["Излизане"],"Your profile":[""],"online":["включен(а)"],"busy":["зает(а)"],"away for long":["продължително отсъстващ(а)"],"away":["отсъстващ(а)"],"offline":["изключен(а)"]," e.g. conversejs.org":[" например conversejs.org"],"Fetch registration form":["Изтегляне на форумляр за записване"],"Tip: A list of public XMPP providers is available":["Съвет: Наличен е списък на XMPP доставчици за обществен достъп"],"here":["тук"],"Sorry, we're unable to connect to your chosen provider.":["Извинете, не можем да се свържем с избрания от вас доставчик."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Извинете, даденият доставчик не поддържа пряко записване за допуск. Моля опитайте друг начин или с друг доставчик."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Нещо се обърка при установяване на връзка с „%1$s“. Сигурни ли сте, че съществува?"],"Now logging you in":["Сега бивате вписани"],"Registered successfully":["Записани сте успешно"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Доставчикът отказа опита ви за записване. Моля проверете точността на данните, които въведохте."],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["Извинете, възникна грешка при опит за добавяне на %1$s като познат."],"This client does not allow presence subscriptions":["Този клиент не допуска абонаменти за присъствие"],"Click to hide these contacts":["Натиснете за скриване на тези познати"],"This contact is busy":["Този познат е зает"],"This contact is online":["Този познат е включен"],"This contact is offline":["Този познат е изключен"],"This contact is unavailable":["Този познат не е на разположение"],"This contact is away for an extended period":["Този познат отсъства дълго време"],"This contact is away":["Този познат отсъства"],"Groups":["Групи"],"My contacts":["Моите познати"],"Pending contacts":["Изчакващи потвърждение познати"],"Contact requests":["Заявки за познанство"],"Ungrouped":["Негрупирани"],"Contact name":["Име на познатия"],"XMPP Address":[""],"Add":["Добавяне"],"Filter":["Подбор"],"Filter by group name":[""],"Filter by status":[""],"Any":["Произволно"],"Unread":["Непрочетено"],"Chatty":["Приказлив(а)"],"Extended Away":["Дълго отсъстващ(а)"],"Click to remove %1$s as a contact":["Натиснете за премахване на %1$s като познат"],"Click to accept the contact request from %1$s":["Натиснете за приемане на заявката за познанство от %1$s"],"Click to decline the contact request from %1$s":["Натиснете за отказване на заявката за познанство от %1$s"],"Click to chat with %1$s (JID: %2$s)":["Натиснете за разговор с %1$s (JID: %2$s)"],"Are you sure you want to decline this contact request?":["Сигурни ли сте, че искате да откажете тази заявка за познанство?"],"Contacts":["Познати"],"Add a contact":["Добавяне на познат"],"Name":[""],"Topic":[""],"Topic author":[""],"Features":["Свойства"],"Password protected":["Защитена с парола"],"Members only":["Само за членове"],"Persistent":["Постоянна"],"Only moderators can see your XMPP username":["Само модераторите могат да виждат потребителското ви име за XMPP"],"Message archiving":["Архивиране на съобщения"],"Messages are archived on the server":["Съобщенията се архивират на сървъра"],"No password":["Без парола"],"Password:":["Парола:"],"password":["парола"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["Натиснете тук, за да влезете анонимно"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Нямате допуск за разговори?"],"Create an account":["Създаване на допуск"],"Create your account":["Създаване на допуска ви"],"Please enter the XMPP provider to register with:":["Моля въведете XMPP доставчик, при който да се запишете:"],"Already have a chat account?":["Вече имате допуск за разговори?"],"Log in here":["Влизане тук"],"Account Registration:":["Записване за допуск:"],"Register":["Записване"],"Choose a different provider":["Избиране на друг доставчик"],"Hold tight, we're fetching the registration form…":["Дръжте се здраво, изтегляме формуляра за записване…"],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":[""],"Download \"%1$s\"":[""],"Download video file":[""],"Download audio file":[""]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n != 1;","lang":"bg"},"The name for this bookmark:":["Името за тази отметка:"],"Save":["Запис"],"Cancel":["Отменяне"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Сигурни ли сте, че искате да премахнете отметката „%1$s“?"],"Error":[""],"Sorry, something went wrong while trying to save your bookmark.":["Извинете, нещо се обърка при опита за записване на отметката ви."],"Remove this bookmark":["Премахване на тази отметка"],"Click to toggle the bookmarks list":["Натиснете за скриване/показване на списъка с отметки"],"Bookmarks":["Отметки"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":["Затваряне на това прозорче за разговори"],"Are you sure you want to remove this contact?":["Сигурни ли сте, че искате да премахнете този познат?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Извинете, възникна грешка при опит за премахване на %1$s като познат."],"You have unread messages":["Имате непрочетени съобщения"],"Hidden message":["Скрито съобщение"],"Message":["Съобщение"],"Send":["Изпращане"],"Optional hint":["Съвет (незадължително)"],"Choose a file to send":[""],"Click to write as a normal (non-spoiler) message":["Натиснете за писане на нормално (неакордеонно) съобщение"],"Click to write your message as a spoiler":["Натиснете, за да пишете съобщение, разгъващо се като акордеон"],"Clear all messages":["Изчистване на всички съобщения"],"Start a call":["Обаждане"],"Remove messages":["Премахване на съобщения"],"Write in the third person":["Писане от трето лице"],"Show this menu":["Показване на това меню"],"Username":["Потребителско име"],"user@domain":["потребител@област"],"Please enter a valid XMPP address":["Моля въведете действителен XMPP адрес"],"Toggle chat":["Разговори"],"The connection has dropped, attempting to reconnect.":["Връзката е прекъснала, опитва се повторно свързване."],"An error occurred while connecting to the chat server.":["Възникна грешка при свързване към сървъра за разговори."],"Your Jabber ID and/or password is incorrect. Please try again.":["Вашето джабер ID и/или парола са погрешни. Моля опитайте отново."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Извинете, не можахме да се свържем към XMPP хоста с областта: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["XMPP сървърът не предложи поддържан удостоверителен механизъм"],"Typing from another device":["Пише от друго устройство"],"Stopped typing on the other device":["Спря да пише на другото устройство"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Минимизиране на това прозорче за разговори"],"Click to restore this chat":["Натисне за възстановяване на този разговор"],"Minimized":["Минимизирани"],"%1$s has been banned":["Достъпът на %1$s е спрян"],"%1$s's nickname has changed":["Краткото име на %1$s се промени"],"%1$s has been kicked out":["%1$s беше изведен"],"%1$s has been removed because of an affiliation change":["%1$s беше премахнат заради промяна на принадлежност"],"%1$s has been removed for not being a member":["%1$s беше премахнат, защото не е член"],"Your nickname has been automatically set to %1$s":["Вашето кратко име беше автоматично установено на %1$s"],"Your nickname has been changed to %1$s":["Краткото ви име беше променено на %1$s"],"Description:":["Описание:"],"Features:":["Свойства:"],"Requires authentication":["Изисква удостоверяване"],"Hidden":["Скрита"],"Requires an invitation":["Изисква покана"],"Moderated":["Модерирана"],"Non-anonymous":["Неанонимна"],"Open":["Отворена"],"Public":["Обществена"],"Semi-anonymous":["Полуанонимна"],"Temporary":["Временна"],"Unmoderated":["Немодерирана"],"name@conference.example.org":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Грешка: командата “%1$s” приема два аргумента – краткото име на потребителя и, по желание, причина."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":["Промяна на ролята на потребителя на администратор"],"Change user role to participant":["Променяне на ролята на потребителя на участник"],"Write in 3rd person":["Писане от трето лице"],"Grant membership to a user":["Даване на членство на потребител"],"Remove user's ability to post messages":["Премахване на възможността на потребителя да публикува съобщения"],"Change your nickname":["Промяна на краткото ви име"],"Grant moderator role to user":["Даване на роля модератор на потребителя"],"Revoke user's membership":["Спиране на членството на потребителя"],"Allow muted user to post messages":["Позволяване на заглушен потребител да публикува съобщения"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Краткото име, което избрахте, е запазено или понастоящем се ползва, моля изберете друго."],"Please choose your nickname":["Моля изберете си кратко име"],"Nickname":["Кратко име"],"Password: ":["Парола: "],"Submit":["Изпращане"],"This action was done by %1$s.":["Това действие беше извършено от %1$s."],"The reason given is: \"%1$s\".":["Дадената причина е: „%1$s“."],"No nickname was specified.":["Не беше указано кратко име."],"Remote server not found":[""],"Click to mention %1$s in your message.":["Натиснете за да споменете %1$s в съобщението си."],"This user is a moderator.":["Този потребител е модератор."],"Visitor":[""],"Owner":[""],"Admin":[""],"Participants":[""],"Invite":["Поканване"],"Please enter a valid XMPP username":["Моля въведете действително потребителско име за XMPP"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Известие от %1$s"],"%1$s says":["%1$s казва"],"has gone offline":["се изключи"],"has gone away":["се е махнал(а)"],"is busy":["е зает(а)"],"has come online":["се включи"],"wants to be your contact":["иска да се свърже с вас"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Full Name":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Отсъстващ(а)"],"Busy":["Зает(а)"],"Custom status":["Състояние чрез въвеждане"],"Offline":["Изключен(а)"],"Online":["Включен(а)"],"I am %1$s":["Аз съм %1$s"],"Change settings":[""],"Click to change your chat status":["Натиснете, за да промените състоянието си за разговор"],"Log out":["Излизане"],"Your profile":[""],"online":["включен(а)"],"busy":["зает(а)"],"away for long":["продължително отсъстващ(а)"],"away":["отсъстващ(а)"],"offline":["изключен(а)"]," e.g. conversejs.org":[" например conversejs.org"],"Fetch registration form":["Изтегляне на форумляр за записване"],"Tip: A list of public XMPP providers is available":["Съвет: Наличен е списък на XMPP доставчици за обществен достъп"],"here":["тук"],"Sorry, we're unable to connect to your chosen provider.":["Извинете, не можем да се свържем с избрания от вас доставчик."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Извинете, даденият доставчик не поддържа пряко записване за допуск. Моля опитайте друг начин или с друг доставчик."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Нещо се обърка при установяване на връзка с „%1$s“. Сигурни ли сте, че съществува?"],"Now logging you in":["Сега бивате вписани"],"Registered successfully":["Записани сте успешно"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Доставчикът отказа опита ви за записване. Моля проверете точността на данните, които въведохте."],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["Извинете, възникна грешка при опит за добавяне на %1$s като познат."],"This client does not allow presence subscriptions":["Този клиент не допуска абонаменти за присъствие"],"Click to hide these contacts":["Натиснете за скриване на тези познати"],"This contact is busy":["Този познат е зает"],"This contact is online":["Този познат е включен"],"This contact is offline":["Този познат е изключен"],"This contact is unavailable":["Този познат не е на разположение"],"This contact is away for an extended period":["Този познат отсъства дълго време"],"This contact is away":["Този познат отсъства"],"Groups":["Групи"],"My contacts":["Моите познати"],"Pending contacts":["Изчакващи потвърждение познати"],"Contact requests":["Заявки за познанство"],"Ungrouped":["Негрупирани"],"Contact name":["Име на познатия"],"XMPP Address":[""],"Add":["Добавяне"],"Filter":["Подбор"],"Filter by group name":[""],"Filter by status":[""],"Any":["Произволно"],"Unread":["Непрочетено"],"Chatty":["Приказлив(а)"],"Extended Away":["Дълго отсъстващ(а)"],"Click to remove %1$s as a contact":["Натиснете за премахване на %1$s като познат"],"Click to accept the contact request from %1$s":["Натиснете за приемане на заявката за познанство от %1$s"],"Click to decline the contact request from %1$s":["Натиснете за отказване на заявката за познанство от %1$s"],"Click to chat with %1$s (JID: %2$s)":["Натиснете за разговор с %1$s (JID: %2$s)"],"Are you sure you want to decline this contact request?":["Сигурни ли сте, че искате да откажете тази заявка за познанство?"],"Contacts":["Познати"],"Add a contact":["Добавяне на познат"],"Name":[""],"Topic":[""],"Topic author":[""],"Features":["Свойства"],"Password protected":["Защитена с парола"],"Members only":["Само за членове"],"Persistent":["Постоянна"],"Only moderators can see your XMPP username":["Само модераторите могат да виждат потребителското ви име за XMPP"],"Message archiving":["Архивиране на съобщения"],"Messages are archived on the server":["Съобщенията се архивират на сървъра"],"No password":["Без парола"],"Password:":["Парола:"],"password":["парола"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["Натиснете тук, за да влезете анонимно"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Нямате допуск за разговори?"],"Create an account":["Създаване на допуск"],"Create your account":["Създаване на допуска ви"],"Please enter the XMPP provider to register with:":["Моля въведете XMPP доставчик, при който да се запишете:"],"Already have a chat account?":["Вече имате допуск за разговори?"],"Log in here":["Влизане тук"],"Account Registration:":["Записване за допуск:"],"Register":["Записване"],"Choose a different provider":["Избиране на друг доставчик"],"Hold tight, we're fetching the registration form…":["Дръжте се здраво, изтегляме формуляра за записване…"],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":[""],"Download file \"%1$s\"":[""],"Download image \"%1$s\"":[""],"Download video file \"%1$s\"":[""],"Download audio file \"%1$s\"":[""]}}} \ No newline at end of file diff --git a/locale/bg/LC_MESSAGES/converse.po b/locale/bg/LC_MESSAGES/converse.po index 3117dfd89..2de399523 100644 --- a/locale/bg/LC_MESSAGES/converse.po +++ b/locale/bg/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 3.3.3\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-03-09 16:34+0000\n" "Last-Translator: Тони \n" "Language-Team: Bulgarian \n" "Language-Team: Catalan \n" "Language-Team: LANGUAGE \n" @@ -17,361 +17,361 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: dist/converse-no-dependencies.js:31821 -#: dist/converse-no-dependencies.js:31906 -#: dist/converse-no-dependencies.js:47423 +#: dist/converse-no-dependencies.js:32421 +#: dist/converse-no-dependencies.js:32506 +#: dist/converse-no-dependencies.js:48032 msgid "Bookmark this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:31907 +#: dist/converse-no-dependencies.js:32507 msgid "The name for this bookmark:" msgstr "" -#: dist/converse-no-dependencies.js:31908 +#: dist/converse-no-dependencies.js:32508 msgid "Would you like this groupchat to be automatically joined upon startup?" msgstr "" -#: dist/converse-no-dependencies.js:31909 +#: dist/converse-no-dependencies.js:32509 msgid "What should your nickname for this groupchat be?" msgstr "" -#: dist/converse-no-dependencies.js:31911 -#: dist/converse-no-dependencies.js:41743 -#: dist/converse-no-dependencies.js:46269 +#: dist/converse-no-dependencies.js:32511 +#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:46878 msgid "Save" msgstr "" -#: dist/converse-no-dependencies.js:31912 -#: dist/converse-no-dependencies.js:41744 -#: dist/converse-no-dependencies.js:46265 -#: dist/converse-no-dependencies.js:52704 +#: dist/converse-no-dependencies.js:32512 +#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:46874 +#: dist/converse-no-dependencies.js:53313 msgid "Cancel" msgstr "" -#: dist/converse-no-dependencies.js:31985 +#: dist/converse-no-dependencies.js:32585 #, javascript-format msgid "Are you sure you want to remove the bookmark \"%1$s\"?" msgstr "" -#: dist/converse-no-dependencies.js:32104 -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:44898 -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:32704 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:45498 +#: dist/converse-no-dependencies.js:46823 msgid "Error" msgstr "" -#: dist/converse-no-dependencies.js:32104 +#: dist/converse-no-dependencies.js:32704 msgid "Sorry, something went wrong while trying to save your bookmark." msgstr "" -#: dist/converse-no-dependencies.js:32195 -#: dist/converse-no-dependencies.js:47421 +#: dist/converse-no-dependencies.js:32795 +#: dist/converse-no-dependencies.js:48030 msgid "Leave this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:32196 +#: dist/converse-no-dependencies.js:32796 msgid "Remove this bookmark" msgstr "" -#: dist/converse-no-dependencies.js:32197 -#: dist/converse-no-dependencies.js:47422 +#: dist/converse-no-dependencies.js:32797 +#: dist/converse-no-dependencies.js:48031 msgid "Unbookmark this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:32198 -#: dist/converse-no-dependencies.js:40905 -#: dist/converse-no-dependencies.js:47424 +#: dist/converse-no-dependencies.js:32798 +#: dist/converse-no-dependencies.js:41505 +#: dist/converse-no-dependencies.js:48033 msgid "Show more information on this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:32201 -#: dist/converse-no-dependencies.js:40904 -#: dist/converse-no-dependencies.js:47426 +#: dist/converse-no-dependencies.js:32801 +#: dist/converse-no-dependencies.js:41504 +#: dist/converse-no-dependencies.js:48035 msgid "Click to open this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:32240 +#: dist/converse-no-dependencies.js:32840 msgid "Click to toggle the bookmarks list" msgstr "" -#: dist/converse-no-dependencies.js:32241 +#: dist/converse-no-dependencies.js:32841 msgid "Bookmarks" msgstr "" -#: dist/converse-no-dependencies.js:32660 +#: dist/converse-no-dependencies.js:33260 msgid "Sorry, could not determine file upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32668 +#: dist/converse-no-dependencies.js:33268 msgid "Sorry, could not determine upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32703 +#: dist/converse-no-dependencies.js:33303 #, javascript-format msgid "" "Sorry, could not succesfully upload your file. Your server’s response: \"%1$s" "\"" msgstr "" -#: dist/converse-no-dependencies.js:32705 +#: dist/converse-no-dependencies.js:33305 msgid "Sorry, could not succesfully upload your file." msgstr "" -#: dist/converse-no-dependencies.js:32950 +#: dist/converse-no-dependencies.js:33550 msgid "Sorry, looks like file upload is not supported by your server." msgstr "" -#: dist/converse-no-dependencies.js:32960 +#: dist/converse-no-dependencies.js:33560 #, javascript-format msgid "" "The size of your file, %1$s, exceeds the maximum allowed by your server, " "which is %2$s." msgstr "" -#: dist/converse-no-dependencies.js:33182 +#: dist/converse-no-dependencies.js:33782 msgid "Sorry, an error occurred:" msgstr "" -#: dist/converse-no-dependencies.js:33860 +#: dist/converse-no-dependencies.js:34460 msgid "Close this chat box" msgstr "" -#: dist/converse-no-dependencies.js:33937 -#: dist/converse-no-dependencies.js:49200 +#: dist/converse-no-dependencies.js:34537 +#: dist/converse-no-dependencies.js:49809 msgid "Are you sure you want to remove this contact?" msgstr "" -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:49208 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:49817 #, javascript-format msgid "Sorry, there was an error while trying to remove %1$s as a contact." msgstr "" -#: dist/converse-no-dependencies.js:34000 -#: dist/converse-no-dependencies.js:34040 +#: dist/converse-no-dependencies.js:34600 +#: dist/converse-no-dependencies.js:34640 msgid "You have unread messages" msgstr "" -#: dist/converse-no-dependencies.js:34026 +#: dist/converse-no-dependencies.js:34626 msgid "Hidden message" msgstr "" -#: dist/converse-no-dependencies.js:34028 +#: dist/converse-no-dependencies.js:34628 msgid "Message" msgstr "" -#: dist/converse-no-dependencies.js:34035 +#: dist/converse-no-dependencies.js:34635 msgid "Send" msgstr "" -#: dist/converse-no-dependencies.js:34036 +#: dist/converse-no-dependencies.js:34636 msgid "Optional hint" msgstr "" -#: dist/converse-no-dependencies.js:34074 +#: dist/converse-no-dependencies.js:34674 msgid "Choose a file to send" msgstr "" -#: dist/converse-no-dependencies.js:34130 +#: dist/converse-no-dependencies.js:34730 msgid "Click to write as a normal (non-spoiler) message" msgstr "" -#: dist/converse-no-dependencies.js:34132 +#: dist/converse-no-dependencies.js:34732 msgid "Click to write your message as a spoiler" msgstr "" -#: dist/converse-no-dependencies.js:34136 +#: dist/converse-no-dependencies.js:34736 msgid "Clear all messages" msgstr "" -#: dist/converse-no-dependencies.js:34137 +#: dist/converse-no-dependencies.js:34737 msgid "Insert emojis" msgstr "" -#: dist/converse-no-dependencies.js:34138 +#: dist/converse-no-dependencies.js:34738 msgid "Start a call" msgstr "" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Remove messages" msgstr "" -#: dist/converse-no-dependencies.js:34455 +#: dist/converse-no-dependencies.js:35055 msgid "Write in the third person" msgstr "" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Show this menu" msgstr "" -#: dist/converse-no-dependencies.js:34676 +#: dist/converse-no-dependencies.js:35276 msgid "Are you sure you want to clear the messages from this conversation?" msgstr "" -#: dist/converse-no-dependencies.js:34792 +#: dist/converse-no-dependencies.js:35392 #, javascript-format msgid "%1$s has gone offline" msgstr "" -#: dist/converse-no-dependencies.js:34794 -#: dist/converse-no-dependencies.js:39805 +#: dist/converse-no-dependencies.js:35394 +#: dist/converse-no-dependencies.js:40405 #, javascript-format msgid "%1$s has gone away" msgstr "" -#: dist/converse-no-dependencies.js:34796 +#: dist/converse-no-dependencies.js:35396 #, javascript-format msgid "%1$s is busy" msgstr "" -#: dist/converse-no-dependencies.js:34798 +#: dist/converse-no-dependencies.js:35398 #, javascript-format msgid "%1$s is online" msgstr "" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "Username" msgstr "" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "user@domain" msgstr "" -#: dist/converse-no-dependencies.js:35446 -#: dist/converse-no-dependencies.js:48809 +#: dist/converse-no-dependencies.js:36046 +#: dist/converse-no-dependencies.js:49418 msgid "Please enter a valid XMPP address" msgstr "" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Chat Contacts" msgstr "" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Toggle chat" msgstr "" -#: dist/converse-no-dependencies.js:36182 +#: dist/converse-no-dependencies.js:36782 msgid "The connection has dropped, attempting to reconnect." msgstr "" -#: dist/converse-no-dependencies.js:36282 +#: dist/converse-no-dependencies.js:36882 msgid "An error occurred while connecting to the chat server." msgstr "" -#: dist/converse-no-dependencies.js:36289 +#: dist/converse-no-dependencies.js:36889 msgid "Your Jabber ID and/or password is incorrect. Please try again." msgstr "" -#: dist/converse-no-dependencies.js:36301 +#: dist/converse-no-dependencies.js:36901 #, javascript-format msgid "Sorry, we could not connect to the XMPP host with domain: %1$s" msgstr "" -#: dist/converse-no-dependencies.js:36303 +#: dist/converse-no-dependencies.js:36903 msgid "The XMPP server did not offer a supported authentication mechanism" msgstr "" -#: dist/converse-no-dependencies.js:39746 +#: dist/converse-no-dependencies.js:40346 msgid "Show more" msgstr "" -#: dist/converse-no-dependencies.js:39794 +#: dist/converse-no-dependencies.js:40394 msgid "Typing from another device" msgstr "" -#: dist/converse-no-dependencies.js:39796 +#: dist/converse-no-dependencies.js:40396 #, javascript-format msgid "%1$s is typing" msgstr "" -#: dist/converse-no-dependencies.js:39800 +#: dist/converse-no-dependencies.js:40400 msgid "Stopped typing on the other device" msgstr "" -#: dist/converse-no-dependencies.js:39802 +#: dist/converse-no-dependencies.js:40402 #, javascript-format msgid "%1$s has stopped typing" msgstr "" -#: dist/converse-no-dependencies.js:39837 +#: dist/converse-no-dependencies.js:40437 msgid "Unencryptable OMEMO message" msgstr "" -#: dist/converse-no-dependencies.js:40055 -#: dist/converse-no-dependencies.js:40098 +#: dist/converse-no-dependencies.js:40655 +#: dist/converse-no-dependencies.js:40698 msgid "Minimize this chat box" msgstr "" -#: dist/converse-no-dependencies.js:40231 +#: dist/converse-no-dependencies.js:40831 msgid "Click to restore this chat" msgstr "" -#: dist/converse-no-dependencies.js:40420 +#: dist/converse-no-dependencies.js:41020 msgid "Minimized" msgstr "" -#: dist/converse-no-dependencies.js:40747 +#: dist/converse-no-dependencies.js:41347 msgid "This groupchat is not anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40748 +#: dist/converse-no-dependencies.js:41348 msgid "This groupchat now shows unavailable members" msgstr "" -#: dist/converse-no-dependencies.js:40749 +#: dist/converse-no-dependencies.js:41349 msgid "This groupchat does not show unavailable members" msgstr "" -#: dist/converse-no-dependencies.js:40750 +#: dist/converse-no-dependencies.js:41350 msgid "The groupchat configuration has changed" msgstr "" -#: dist/converse-no-dependencies.js:40751 +#: dist/converse-no-dependencies.js:41351 msgid "groupchat logging is now enabled" msgstr "" -#: dist/converse-no-dependencies.js:40752 +#: dist/converse-no-dependencies.js:41352 msgid "groupchat logging is now disabled" msgstr "" -#: dist/converse-no-dependencies.js:40753 +#: dist/converse-no-dependencies.js:41353 msgid "This groupchat is now no longer anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40754 +#: dist/converse-no-dependencies.js:41354 msgid "This groupchat is now semi-anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40755 +#: dist/converse-no-dependencies.js:41355 msgid "This groupchat is now fully-anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40756 +#: dist/converse-no-dependencies.js:41356 msgid "A new groupchat has been created" msgstr "" -#: dist/converse-no-dependencies.js:40759 +#: dist/converse-no-dependencies.js:41359 msgid "You have been banned from this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:40760 +#: dist/converse-no-dependencies.js:41360 msgid "You have been kicked from this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:40761 +#: dist/converse-no-dependencies.js:41361 msgid "" "You have been removed from this groupchat because of an affiliation change" msgstr "" -#: dist/converse-no-dependencies.js:40762 +#: dist/converse-no-dependencies.js:41362 msgid "" "You have been removed from this groupchat because the groupchat has changed " "to members-only and you're not a member" msgstr "" -#: dist/converse-no-dependencies.js:40763 +#: dist/converse-no-dependencies.js:41363 msgid "" "You have been removed from this groupchat because the service hosting it is " "being shut down" @@ -387,1109 +387,1109 @@ msgstr "" #. * can then at least tell gettext to scan for it so that these #. * strings are picked up by the translation machinery. #. -#: dist/converse-no-dependencies.js:40776 +#: dist/converse-no-dependencies.js:41376 #, javascript-format msgid "%1$s has been banned" msgstr "" -#: dist/converse-no-dependencies.js:40777 +#: dist/converse-no-dependencies.js:41377 #, javascript-format msgid "%1$s's nickname has changed" msgstr "" -#: dist/converse-no-dependencies.js:40778 +#: dist/converse-no-dependencies.js:41378 #, javascript-format msgid "%1$s has been kicked out" msgstr "" -#: dist/converse-no-dependencies.js:40779 +#: dist/converse-no-dependencies.js:41379 #, javascript-format msgid "%1$s has been removed because of an affiliation change" msgstr "" -#: dist/converse-no-dependencies.js:40780 +#: dist/converse-no-dependencies.js:41380 #, javascript-format msgid "%1$s has been removed for not being a member" msgstr "" -#: dist/converse-no-dependencies.js:40783 +#: dist/converse-no-dependencies.js:41383 #, javascript-format msgid "Your nickname has been automatically set to %1$s" msgstr "" -#: dist/converse-no-dependencies.js:40784 +#: dist/converse-no-dependencies.js:41384 #, javascript-format msgid "Your nickname has been changed to %1$s" msgstr "" -#: dist/converse-no-dependencies.js:40815 +#: dist/converse-no-dependencies.js:41415 msgid "Description:" msgstr "" -#: dist/converse-no-dependencies.js:40816 +#: dist/converse-no-dependencies.js:41416 msgid "Groupchat Address (JID):" msgstr "" -#: dist/converse-no-dependencies.js:40817 +#: dist/converse-no-dependencies.js:41417 msgid "Participants:" msgstr "" -#: dist/converse-no-dependencies.js:40818 +#: dist/converse-no-dependencies.js:41418 msgid "Features:" msgstr "" -#: dist/converse-no-dependencies.js:40819 +#: dist/converse-no-dependencies.js:41419 msgid "Requires authentication" msgstr "" -#: dist/converse-no-dependencies.js:40820 -#: dist/converse-no-dependencies.js:51007 -#: dist/converse-no-dependencies.js:51163 +#: dist/converse-no-dependencies.js:41420 +#: dist/converse-no-dependencies.js:51616 +#: dist/converse-no-dependencies.js:51772 msgid "Hidden" msgstr "" -#: dist/converse-no-dependencies.js:40821 +#: dist/converse-no-dependencies.js:41421 msgid "Requires an invitation" msgstr "" -#: dist/converse-no-dependencies.js:40822 -#: dist/converse-no-dependencies.js:51071 -#: dist/converse-no-dependencies.js:51227 +#: dist/converse-no-dependencies.js:41422 +#: dist/converse-no-dependencies.js:51680 +#: dist/converse-no-dependencies.js:51836 msgid "Moderated" msgstr "" -#: dist/converse-no-dependencies.js:40823 +#: dist/converse-no-dependencies.js:41423 msgid "Non-anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40824 -#: dist/converse-no-dependencies.js:51031 -#: dist/converse-no-dependencies.js:51187 +#: dist/converse-no-dependencies.js:41424 +#: dist/converse-no-dependencies.js:51640 +#: dist/converse-no-dependencies.js:51796 msgid "Open" msgstr "" -#: dist/converse-no-dependencies.js:40825 +#: dist/converse-no-dependencies.js:41425 msgid "Permanent" msgstr "" -#: dist/converse-no-dependencies.js:40826 -#: dist/converse-no-dependencies.js:51015 -#: dist/converse-no-dependencies.js:51171 +#: dist/converse-no-dependencies.js:41426 +#: dist/converse-no-dependencies.js:51624 +#: dist/converse-no-dependencies.js:51780 msgid "Public" msgstr "" -#: dist/converse-no-dependencies.js:40827 -#: dist/converse-no-dependencies.js:51063 -#: dist/converse-no-dependencies.js:51219 +#: dist/converse-no-dependencies.js:41427 +#: dist/converse-no-dependencies.js:51672 +#: dist/converse-no-dependencies.js:51828 msgid "Semi-anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40828 -#: dist/converse-no-dependencies.js:51047 -#: dist/converse-no-dependencies.js:51203 +#: dist/converse-no-dependencies.js:41428 +#: dist/converse-no-dependencies.js:51656 +#: dist/converse-no-dependencies.js:51812 msgid "Temporary" msgstr "" -#: dist/converse-no-dependencies.js:40829 +#: dist/converse-no-dependencies.js:41429 msgid "Unmoderated" msgstr "" -#: dist/converse-no-dependencies.js:40865 +#: dist/converse-no-dependencies.js:41465 msgid "Query for Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:40866 +#: dist/converse-no-dependencies.js:41466 msgid "Server address" msgstr "" -#: dist/converse-no-dependencies.js:40867 +#: dist/converse-no-dependencies.js:41467 msgid "Show groupchats" msgstr "" -#: dist/converse-no-dependencies.js:40868 +#: dist/converse-no-dependencies.js:41468 msgid "conference.example.org" msgstr "" -#: dist/converse-no-dependencies.js:40917 +#: dist/converse-no-dependencies.js:41517 msgid "No groupchats found" msgstr "" -#: dist/converse-no-dependencies.js:40934 +#: dist/converse-no-dependencies.js:41534 msgid "Groupchats found:" msgstr "" -#: dist/converse-no-dependencies.js:40984 +#: dist/converse-no-dependencies.js:41584 msgid "Enter a new Groupchat" msgstr "" -#: dist/converse-no-dependencies.js:40985 +#: dist/converse-no-dependencies.js:41585 msgid "Groupchat address" msgstr "" -#: dist/converse-no-dependencies.js:40986 -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:41586 +#: dist/converse-no-dependencies.js:49410 msgid "Optional nickname" msgstr "" -#: dist/converse-no-dependencies.js:40987 +#: dist/converse-no-dependencies.js:41587 msgid "name@conference.example.org" msgstr "" -#: dist/converse-no-dependencies.js:40988 +#: dist/converse-no-dependencies.js:41588 msgid "Join" msgstr "" -#: dist/converse-no-dependencies.js:41036 +#: dist/converse-no-dependencies.js:41636 #, javascript-format msgid "Groupchat info for %1$s" msgstr "" -#: dist/converse-no-dependencies.js:41212 +#: dist/converse-no-dependencies.js:41812 #, javascript-format msgid "%1$s is no longer an admin of this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41214 +#: dist/converse-no-dependencies.js:41814 #, javascript-format msgid "%1$s is no longer an owner of this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41216 +#: dist/converse-no-dependencies.js:41816 #, javascript-format msgid "%1$s is no longer banned from this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41220 +#: dist/converse-no-dependencies.js:41820 #, javascript-format msgid "%1$s is no longer a permanent member of this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41224 +#: dist/converse-no-dependencies.js:41824 #, javascript-format msgid "%1$s is now a permanent member of this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41226 +#: dist/converse-no-dependencies.js:41826 #, javascript-format msgid "%1$s has been banned from this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41228 +#: dist/converse-no-dependencies.js:41828 #, javascript-format msgid "%1$s is now an " msgstr "" -#: dist/converse-no-dependencies.js:41235 +#: dist/converse-no-dependencies.js:41835 #, javascript-format msgid "%1$s is no longer a moderator" msgstr "" -#: dist/converse-no-dependencies.js:41239 +#: dist/converse-no-dependencies.js:41839 #, javascript-format msgid "%1$s has been given a voice again" msgstr "" -#: dist/converse-no-dependencies.js:41243 +#: dist/converse-no-dependencies.js:41843 #, javascript-format msgid "%1$s has been muted" msgstr "" -#: dist/converse-no-dependencies.js:41247 +#: dist/converse-no-dependencies.js:41847 #, javascript-format msgid "%1$s is now a moderator" msgstr "" -#: dist/converse-no-dependencies.js:41255 +#: dist/converse-no-dependencies.js:41855 msgid "Close and leave this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41256 +#: dist/converse-no-dependencies.js:41856 msgid "Configure this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41257 +#: dist/converse-no-dependencies.js:41857 msgid "Show more details about this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41297 +#: dist/converse-no-dependencies.js:41897 msgid "Hide the list of participants" msgstr "" -#: dist/converse-no-dependencies.js:41413 +#: dist/converse-no-dependencies.js:42013 msgid "Forbidden: you do not have the necessary role in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41425 +#: dist/converse-no-dependencies.js:42025 msgid "" "Forbidden: you do not have the necessary affiliation in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41436 +#: dist/converse-no-dependencies.js:42036 #, javascript-format msgid "" "Error: the \"%1$s\" command takes two arguments, the user's nickname and " "optionally a reason." msgstr "" -#: dist/converse-no-dependencies.js:41445 +#: dist/converse-no-dependencies.js:42045 #, javascript-format msgid "Error: couldn't find a groupchat participant \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:41454 +#: dist/converse-no-dependencies.js:42054 msgid "" "Sorry, an error happened while running the command. Check your browser's " "developer console for details." msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user's affiliation to admin" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Ban user from groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user role to participant" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Kick user from groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Write in 3rd person" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant membership to a user" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Remove user's ability to post messages" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change your nickname" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant moderator role to user" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant ownership of this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Register a nickname for this room" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Revoke user's membership" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject (alias for /subject)" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Allow muted user to post messages" msgstr "" -#: dist/converse-no-dependencies.js:41598 +#: dist/converse-no-dependencies.js:42198 msgid "Error: invalid number of arguments" msgstr "" -#: dist/converse-no-dependencies.js:41848 +#: dist/converse-no-dependencies.js:42448 msgid "" "The nickname you chose is reserved or currently in use, please choose a " "different one." msgstr "" -#: dist/converse-no-dependencies.js:41874 +#: dist/converse-no-dependencies.js:42474 msgid "Please choose your nickname" msgstr "" -#: dist/converse-no-dependencies.js:41875 -#: dist/converse-no-dependencies.js:46177 -#: dist/converse-no-dependencies.js:53489 +#: dist/converse-no-dependencies.js:42475 +#: dist/converse-no-dependencies.js:46786 +#: dist/converse-no-dependencies.js:54098 msgid "Nickname" msgstr "" -#: dist/converse-no-dependencies.js:41876 +#: dist/converse-no-dependencies.js:42476 msgid "Enter groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41897 +#: dist/converse-no-dependencies.js:42497 msgid "This groupchat requires a password" msgstr "" -#: dist/converse-no-dependencies.js:41898 +#: dist/converse-no-dependencies.js:42498 msgid "Password: " msgstr "" -#: dist/converse-no-dependencies.js:41899 +#: dist/converse-no-dependencies.js:42499 msgid "Submit" msgstr "" -#: dist/converse-no-dependencies.js:42021 +#: dist/converse-no-dependencies.js:42621 #, javascript-format msgid "This action was done by %1$s." msgstr "" -#: dist/converse-no-dependencies.js:42025 -#: dist/converse-no-dependencies.js:42043 +#: dist/converse-no-dependencies.js:42625 +#: dist/converse-no-dependencies.js:42643 #, javascript-format msgid "The reason given is: \"%1$s\"." msgstr "" -#: dist/converse-no-dependencies.js:42075 +#: dist/converse-no-dependencies.js:42675 #, javascript-format msgid "%1$s has left and re-entered the groupchat" msgstr "" -#: dist/converse-no-dependencies.js:42088 +#: dist/converse-no-dependencies.js:42688 #, javascript-format msgid "%1$s has entered the groupchat" msgstr "" -#: dist/converse-no-dependencies.js:42090 +#: dist/converse-no-dependencies.js:42690 #, javascript-format msgid "%1$s has entered the groupchat. \"%2$s\"" msgstr "" -#: dist/converse-no-dependencies.js:42125 +#: dist/converse-no-dependencies.js:42725 #, javascript-format msgid "%1$s has entered and left the groupchat" msgstr "" -#: dist/converse-no-dependencies.js:42127 +#: dist/converse-no-dependencies.js:42727 #, javascript-format msgid "%1$s has entered and left the groupchat. \"%2$s\"" msgstr "" -#: dist/converse-no-dependencies.js:42147 +#: dist/converse-no-dependencies.js:42747 #, javascript-format msgid "%1$s has left the groupchat" msgstr "" -#: dist/converse-no-dependencies.js:42149 +#: dist/converse-no-dependencies.js:42749 #, javascript-format msgid "%1$s has left the groupchat. \"%2$s\"" msgstr "" -#: dist/converse-no-dependencies.js:42196 +#: dist/converse-no-dependencies.js:42796 msgid "You are not on the member list of this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:42198 +#: dist/converse-no-dependencies.js:42798 msgid "You have been banned from this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:42202 +#: dist/converse-no-dependencies.js:42802 msgid "No nickname was specified." msgstr "" -#: dist/converse-no-dependencies.js:42206 +#: dist/converse-no-dependencies.js:42806 msgid "You are not allowed to create new groupchats." msgstr "" -#: dist/converse-no-dependencies.js:42208 +#: dist/converse-no-dependencies.js:42808 msgid "Your nickname doesn't conform to this groupchat's policies." msgstr "" -#: dist/converse-no-dependencies.js:42212 +#: dist/converse-no-dependencies.js:42812 msgid "This groupchat does not (yet) exist." msgstr "" -#: dist/converse-no-dependencies.js:42214 +#: dist/converse-no-dependencies.js:42814 msgid "This groupchat has reached its maximum number of participants." msgstr "" -#: dist/converse-no-dependencies.js:42216 +#: dist/converse-no-dependencies.js:42816 msgid "Remote server not found" msgstr "" -#: dist/converse-no-dependencies.js:42221 +#: dist/converse-no-dependencies.js:42821 #, javascript-format msgid "The explanation given is: \"%1$s\"." msgstr "" -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, javascript-format msgid "Topic set by %1$s" msgstr "" -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, javascript-format msgid "Topic cleared by %1$s" msgstr "" -#: dist/converse-no-dependencies.js:42303 +#: dist/converse-no-dependencies.js:42903 msgid "Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:42304 +#: dist/converse-no-dependencies.js:42904 msgid "Add a new groupchat" msgstr "" -#: dist/converse-no-dependencies.js:42305 +#: dist/converse-no-dependencies.js:42905 msgid "Query for groupchats" msgstr "" -#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:42943 #, javascript-format msgid "Click to mention %1$s in your message." msgstr "" -#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:42944 msgid "This user is a moderator." msgstr "" -#: dist/converse-no-dependencies.js:42345 +#: dist/converse-no-dependencies.js:42945 msgid "This user can send messages in this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:42346 +#: dist/converse-no-dependencies.js:42946 msgid "This user can NOT send messages in this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:42347 +#: dist/converse-no-dependencies.js:42947 msgid "Moderator" msgstr "" -#: dist/converse-no-dependencies.js:42348 +#: dist/converse-no-dependencies.js:42948 msgid "Visitor" msgstr "" -#: dist/converse-no-dependencies.js:42349 +#: dist/converse-no-dependencies.js:42949 msgid "Owner" msgstr "" -#: dist/converse-no-dependencies.js:42350 +#: dist/converse-no-dependencies.js:42950 msgid "Member" msgstr "" -#: dist/converse-no-dependencies.js:42351 +#: dist/converse-no-dependencies.js:42951 msgid "Admin" msgstr "" -#: dist/converse-no-dependencies.js:42393 +#: dist/converse-no-dependencies.js:42993 msgid "Participants" msgstr "" -#: dist/converse-no-dependencies.js:42410 -#: dist/converse-no-dependencies.js:42491 +#: dist/converse-no-dependencies.js:43010 +#: dist/converse-no-dependencies.js:43091 msgid "Invite" msgstr "" -#: dist/converse-no-dependencies.js:42468 +#: dist/converse-no-dependencies.js:43068 #, javascript-format msgid "" "You are about to invite %1$s to the groupchat \"%2$s\". You may optionally " "include a message, explaining the reason for the invitation." msgstr "" -#: dist/converse-no-dependencies.js:42490 +#: dist/converse-no-dependencies.js:43090 msgid "Please enter a valid XMPP username" msgstr "" -#: dist/converse-no-dependencies.js:43621 +#: dist/converse-no-dependencies.js:44221 msgid "You're not allowed to register yourself in this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:43623 +#: dist/converse-no-dependencies.js:44223 msgid "" "You're not allowed to register in this groupchat because it's members-only." msgstr "" -#: dist/converse-no-dependencies.js:43656 +#: dist/converse-no-dependencies.js:44256 msgid "" "Can't register your nickname in this groupchat, it doesn't support " "registration." msgstr "" -#: dist/converse-no-dependencies.js:43658 +#: dist/converse-no-dependencies.js:44258 msgid "" "Can't register your nickname in this groupchat, invalid data form supplied." msgstr "" -#: dist/converse-no-dependencies.js:44118 +#: dist/converse-no-dependencies.js:44718 #, javascript-format msgid "%1$s has invited you to join a groupchat: %2$s" msgstr "" -#: dist/converse-no-dependencies.js:44120 +#: dist/converse-no-dependencies.js:44720 #, javascript-format msgid "" "%1$s has invited you to join a groupchat: %2$s, and left the following " "reason: \"%3$s\"" msgstr "" -#: dist/converse-no-dependencies.js:44209 +#: dist/converse-no-dependencies.js:44809 msgid "Error: the groupchat " msgstr "" -#: dist/converse-no-dependencies.js:44211 +#: dist/converse-no-dependencies.js:44811 msgid "Sorry, you're not allowed to registerd in this groupchat" msgstr "" #. workaround for Prosody which doesn't give type "headline" -#: dist/converse-no-dependencies.js:44596 -#: dist/converse-no-dependencies.js:44602 +#: dist/converse-no-dependencies.js:45196 +#: dist/converse-no-dependencies.js:45202 #, javascript-format msgid "Notification from %1$s" msgstr "" -#: dist/converse-no-dependencies.js:44604 -#: dist/converse-no-dependencies.js:44615 -#: dist/converse-no-dependencies.js:44618 +#: dist/converse-no-dependencies.js:45204 +#: dist/converse-no-dependencies.js:45215 +#: dist/converse-no-dependencies.js:45218 #, javascript-format msgid "%1$s says" msgstr "" #. TODO: we should suppress notifications if we cannot decrypt #. the message... -#: dist/converse-no-dependencies.js:44627 +#: dist/converse-no-dependencies.js:45227 msgid "OMEMO Message received" msgstr "" -#: dist/converse-no-dependencies.js:44654 +#: dist/converse-no-dependencies.js:45254 msgid "has gone offline" msgstr "" -#: dist/converse-no-dependencies.js:44656 +#: dist/converse-no-dependencies.js:45256 msgid "has gone away" msgstr "" -#: dist/converse-no-dependencies.js:44658 +#: dist/converse-no-dependencies.js:45258 msgid "is busy" msgstr "" -#: dist/converse-no-dependencies.js:44660 +#: dist/converse-no-dependencies.js:45260 msgid "has come online" msgstr "" -#: dist/converse-no-dependencies.js:44677 +#: dist/converse-no-dependencies.js:45277 msgid "wants to be your contact" msgstr "" -#: dist/converse-no-dependencies.js:44898 +#: dist/converse-no-dependencies.js:45498 msgid "Sorry, an error occurred while trying to remove the devices." msgstr "" -#: dist/converse-no-dependencies.js:45021 +#: dist/converse-no-dependencies.js:45630 msgid "Sorry, could not decrypt a received OMEMO message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:45172 +#: dist/converse-no-dependencies.js:45781 msgid "" "This is an OMEMO encrypted message which your client doesn’t seem to " "support. Find more information on https://conversations.im/omemo" msgstr "" -#: dist/converse-no-dependencies.js:45233 +#: dist/converse-no-dependencies.js:45842 msgid "Sorry, could not send the message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:46171 +#: dist/converse-no-dependencies.js:46780 msgid "Your avatar image" msgstr "" -#: dist/converse-no-dependencies.js:46172 +#: dist/converse-no-dependencies.js:46781 msgid "Your Profile" msgstr "" -#: dist/converse-no-dependencies.js:46173 -#: dist/converse-no-dependencies.js:46263 -#: dist/converse-no-dependencies.js:51093 -#: dist/converse-no-dependencies.js:52260 -#: dist/converse-no-dependencies.js:53463 -#: dist/converse-no-dependencies.js:53583 +#: dist/converse-no-dependencies.js:46782 +#: dist/converse-no-dependencies.js:46872 +#: dist/converse-no-dependencies.js:51702 +#: dist/converse-no-dependencies.js:52869 +#: dist/converse-no-dependencies.js:54072 +#: dist/converse-no-dependencies.js:54192 msgid "Close" msgstr "" -#: dist/converse-no-dependencies.js:46174 -#: dist/converse-no-dependencies.js:53507 +#: dist/converse-no-dependencies.js:46783 +#: dist/converse-no-dependencies.js:54116 msgid "Email" msgstr "" -#: dist/converse-no-dependencies.js:46175 -#: dist/converse-no-dependencies.js:53477 +#: dist/converse-no-dependencies.js:46784 +#: dist/converse-no-dependencies.js:54086 msgid "Full Name" msgstr "" -#: dist/converse-no-dependencies.js:46176 +#: dist/converse-no-dependencies.js:46785 msgid "XMPP Address (JID)" msgstr "" -#: dist/converse-no-dependencies.js:46178 -#: dist/converse-no-dependencies.js:53517 +#: dist/converse-no-dependencies.js:46787 +#: dist/converse-no-dependencies.js:54126 msgid "Role" msgstr "" -#: dist/converse-no-dependencies.js:46179 +#: dist/converse-no-dependencies.js:46788 msgid "" "Use commas to separate multiple roles. Your roles are shown next to your " "name on your chat messages." msgstr "" -#: dist/converse-no-dependencies.js:46180 -#: dist/converse-no-dependencies.js:53497 +#: dist/converse-no-dependencies.js:46789 +#: dist/converse-no-dependencies.js:54106 msgid "URL" msgstr "" -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 msgid "Sorry, an error happened while trying to save your profile data." msgstr "" -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 msgid "You can check your browser's developer console for any error output." msgstr "" -#: dist/converse-no-dependencies.js:46262 -#: dist/converse-no-dependencies.js:48927 +#: dist/converse-no-dependencies.js:46871 +#: dist/converse-no-dependencies.js:49536 msgid "Away" msgstr "" -#: dist/converse-no-dependencies.js:46264 -#: dist/converse-no-dependencies.js:48926 +#: dist/converse-no-dependencies.js:46873 +#: dist/converse-no-dependencies.js:49535 msgid "Busy" msgstr "" -#: dist/converse-no-dependencies.js:46266 +#: dist/converse-no-dependencies.js:46875 msgid "Custom status" msgstr "" -#: dist/converse-no-dependencies.js:46267 -#: dist/converse-no-dependencies.js:48929 +#: dist/converse-no-dependencies.js:46876 +#: dist/converse-no-dependencies.js:49538 msgid "Offline" msgstr "" -#: dist/converse-no-dependencies.js:46268 -#: dist/converse-no-dependencies.js:48924 +#: dist/converse-no-dependencies.js:46877 +#: dist/converse-no-dependencies.js:49533 msgid "Online" msgstr "" -#: dist/converse-no-dependencies.js:46270 +#: dist/converse-no-dependencies.js:46879 msgid "Away for long" msgstr "" -#: dist/converse-no-dependencies.js:46271 +#: dist/converse-no-dependencies.js:46880 msgid "Change chat status" msgstr "" -#: dist/converse-no-dependencies.js:46272 +#: dist/converse-no-dependencies.js:46881 msgid "Personal status message" msgstr "" -#: dist/converse-no-dependencies.js:46317 +#: dist/converse-no-dependencies.js:46926 #, javascript-format msgid "I am %1$s" msgstr "" -#: dist/converse-no-dependencies.js:46320 +#: dist/converse-no-dependencies.js:46929 msgid "Change settings" msgstr "" -#: dist/converse-no-dependencies.js:46321 +#: dist/converse-no-dependencies.js:46930 msgid "Click to change your chat status" msgstr "" -#: dist/converse-no-dependencies.js:46322 +#: dist/converse-no-dependencies.js:46931 msgid "Log out" msgstr "" -#: dist/converse-no-dependencies.js:46323 +#: dist/converse-no-dependencies.js:46932 msgid "Your profile" msgstr "" -#: dist/converse-no-dependencies.js:46349 +#: dist/converse-no-dependencies.js:46958 msgid "Are you sure you want to log out?" msgstr "" -#: dist/converse-no-dependencies.js:46357 -#: dist/converse-no-dependencies.js:46367 +#: dist/converse-no-dependencies.js:46966 +#: dist/converse-no-dependencies.js:46976 msgid "online" msgstr "" -#: dist/converse-no-dependencies.js:46359 +#: dist/converse-no-dependencies.js:46968 msgid "busy" msgstr "" -#: dist/converse-no-dependencies.js:46361 +#: dist/converse-no-dependencies.js:46970 msgid "away for long" msgstr "" -#: dist/converse-no-dependencies.js:46363 +#: dist/converse-no-dependencies.js:46972 msgid "away" msgstr "" -#: dist/converse-no-dependencies.js:46365 +#: dist/converse-no-dependencies.js:46974 msgid "offline" msgstr "" -#: dist/converse-no-dependencies.js:46698 +#: dist/converse-no-dependencies.js:47307 msgid " e.g. conversejs.org" msgstr "" -#: dist/converse-no-dependencies.js:46745 +#: dist/converse-no-dependencies.js:47354 msgid "Fetch registration form" msgstr "" -#: dist/converse-no-dependencies.js:46746 +#: dist/converse-no-dependencies.js:47355 msgid "Tip: A list of public XMPP providers is available" msgstr "" -#: dist/converse-no-dependencies.js:46747 +#: dist/converse-no-dependencies.js:47356 msgid "here" msgstr "" -#: dist/converse-no-dependencies.js:46795 +#: dist/converse-no-dependencies.js:47404 msgid "Sorry, we're unable to connect to your chosen provider." msgstr "" -#: dist/converse-no-dependencies.js:46811 +#: dist/converse-no-dependencies.js:47420 msgid "" "Sorry, the given provider does not support in band account registration. " "Please try with a different provider." msgstr "" -#: dist/converse-no-dependencies.js:46835 +#: dist/converse-no-dependencies.js:47444 #, javascript-format msgid "" "Something went wrong while establishing a connection with \"%1$s\". Are you " "sure it exists?" msgstr "" -#: dist/converse-no-dependencies.js:46998 +#: dist/converse-no-dependencies.js:47607 msgid "Now logging you in" msgstr "" -#: dist/converse-no-dependencies.js:47002 +#: dist/converse-no-dependencies.js:47611 msgid "Registered successfully" msgstr "" -#: dist/converse-no-dependencies.js:47111 +#: dist/converse-no-dependencies.js:47720 msgid "" "The provider rejected your registration attempt. Please check the values you " "entered for correctness." msgstr "" -#: dist/converse-no-dependencies.js:47486 +#: dist/converse-no-dependencies.js:48095 msgid "Click to toggle the list of open groupchats" msgstr "" -#: dist/converse-no-dependencies.js:47487 +#: dist/converse-no-dependencies.js:48096 msgid "Open Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:47531 +#: dist/converse-no-dependencies.js:48140 #, javascript-format msgid "Are you sure you want to leave the groupchat %1$s?" msgstr "" -#: dist/converse-no-dependencies.js:48157 +#: dist/converse-no-dependencies.js:48766 #, javascript-format msgid "Sorry, there was an error while trying to add %1$s as a contact." msgstr "" -#: dist/converse-no-dependencies.js:48368 +#: dist/converse-no-dependencies.js:48977 msgid "This client does not allow presence subscriptions" msgstr "" -#: dist/converse-no-dependencies.js:48478 +#: dist/converse-no-dependencies.js:49087 msgid "Click to hide these contacts" msgstr "" -#: dist/converse-no-dependencies.js:48742 +#: dist/converse-no-dependencies.js:49351 msgid "This contact is busy" msgstr "" -#: dist/converse-no-dependencies.js:48743 +#: dist/converse-no-dependencies.js:49352 msgid "This contact is online" msgstr "" -#: dist/converse-no-dependencies.js:48744 +#: dist/converse-no-dependencies.js:49353 msgid "This contact is offline" msgstr "" -#: dist/converse-no-dependencies.js:48745 +#: dist/converse-no-dependencies.js:49354 msgid "This contact is unavailable" msgstr "" -#: dist/converse-no-dependencies.js:48746 +#: dist/converse-no-dependencies.js:49355 msgid "This contact is away for an extended period" msgstr "" -#: dist/converse-no-dependencies.js:48747 +#: dist/converse-no-dependencies.js:49356 msgid "This contact is away" msgstr "" -#: dist/converse-no-dependencies.js:48750 +#: dist/converse-no-dependencies.js:49359 msgid "Groups" msgstr "" -#: dist/converse-no-dependencies.js:48752 +#: dist/converse-no-dependencies.js:49361 msgid "My contacts" msgstr "" -#: dist/converse-no-dependencies.js:48754 +#: dist/converse-no-dependencies.js:49363 msgid "Pending contacts" msgstr "" -#: dist/converse-no-dependencies.js:48756 +#: dist/converse-no-dependencies.js:49365 msgid "Contact requests" msgstr "" -#: dist/converse-no-dependencies.js:48758 +#: dist/converse-no-dependencies.js:49367 msgid "Ungrouped" msgstr "" -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:49410 msgid "Contact name" msgstr "" -#: dist/converse-no-dependencies.js:48804 +#: dist/converse-no-dependencies.js:49413 msgid "Add a Contact" msgstr "" -#: dist/converse-no-dependencies.js:48805 -#: dist/converse-no-dependencies.js:53483 +#: dist/converse-no-dependencies.js:49414 +#: dist/converse-no-dependencies.js:54092 msgid "XMPP Address" msgstr "" -#: dist/converse-no-dependencies.js:48807 +#: dist/converse-no-dependencies.js:49416 msgid "name@example.org" msgstr "" -#: dist/converse-no-dependencies.js:48808 +#: dist/converse-no-dependencies.js:49417 msgid "Add" msgstr "" -#: dist/converse-no-dependencies.js:48918 +#: dist/converse-no-dependencies.js:49527 msgid "Filter" msgstr "" -#: dist/converse-no-dependencies.js:48919 +#: dist/converse-no-dependencies.js:49528 msgid "Filter by contact name" msgstr "" -#: dist/converse-no-dependencies.js:48920 +#: dist/converse-no-dependencies.js:49529 msgid "Filter by group name" msgstr "" -#: dist/converse-no-dependencies.js:48921 +#: dist/converse-no-dependencies.js:49530 msgid "Filter by status" msgstr "" -#: dist/converse-no-dependencies.js:48922 +#: dist/converse-no-dependencies.js:49531 msgid "Any" msgstr "" -#: dist/converse-no-dependencies.js:48923 +#: dist/converse-no-dependencies.js:49532 msgid "Unread" msgstr "" -#: dist/converse-no-dependencies.js:48925 +#: dist/converse-no-dependencies.js:49534 msgid "Chatty" msgstr "" -#: dist/converse-no-dependencies.js:48928 +#: dist/converse-no-dependencies.js:49537 msgid "Extended Away" msgstr "" -#: dist/converse-no-dependencies.js:49097 -#: dist/converse-no-dependencies.js:49154 +#: dist/converse-no-dependencies.js:49706 +#: dist/converse-no-dependencies.js:49763 #, javascript-format msgid "Click to remove %1$s as a contact" msgstr "" -#: dist/converse-no-dependencies.js:49106 +#: dist/converse-no-dependencies.js:49715 #, javascript-format msgid "Click to accept the contact request from %1$s" msgstr "" -#: dist/converse-no-dependencies.js:49107 +#: dist/converse-no-dependencies.js:49716 #, javascript-format msgid "Click to decline the contact request from %1$s" msgstr "" -#: dist/converse-no-dependencies.js:49153 +#: dist/converse-no-dependencies.js:49762 #, javascript-format msgid "Click to chat with %1$s (JID: %2$s)" msgstr "" -#: dist/converse-no-dependencies.js:49230 +#: dist/converse-no-dependencies.js:49839 msgid "Are you sure you want to decline this contact request?" msgstr "" -#: dist/converse-no-dependencies.js:49499 +#: dist/converse-no-dependencies.js:50108 msgid "Contacts" msgstr "" -#: dist/converse-no-dependencies.js:49500 +#: dist/converse-no-dependencies.js:50109 msgid "Add a contact" msgstr "" -#: dist/converse-no-dependencies.js:50959 +#: dist/converse-no-dependencies.js:51568 msgid "Name" msgstr "" -#: dist/converse-no-dependencies.js:50963 +#: dist/converse-no-dependencies.js:51572 msgid "Groupchat address (JID)" msgstr "" -#: dist/converse-no-dependencies.js:50967 +#: dist/converse-no-dependencies.js:51576 msgid "Description" msgstr "" -#: dist/converse-no-dependencies.js:50973 +#: dist/converse-no-dependencies.js:51582 msgid "Topic" msgstr "" -#: dist/converse-no-dependencies.js:50977 +#: dist/converse-no-dependencies.js:51586 msgid "Topic author" msgstr "" -#: dist/converse-no-dependencies.js:50983 +#: dist/converse-no-dependencies.js:51592 msgid "Online users" msgstr "" -#: dist/converse-no-dependencies.js:50987 -#: dist/converse-no-dependencies.js:51139 +#: dist/converse-no-dependencies.js:51596 +#: dist/converse-no-dependencies.js:51748 msgid "Features" msgstr "" -#: dist/converse-no-dependencies.js:50991 -#: dist/converse-no-dependencies.js:51147 +#: dist/converse-no-dependencies.js:51600 +#: dist/converse-no-dependencies.js:51756 msgid "Password protected" msgstr "" -#: dist/converse-no-dependencies.js:50993 -#: dist/converse-no-dependencies.js:51145 +#: dist/converse-no-dependencies.js:51602 +#: dist/converse-no-dependencies.js:51754 msgid "This groupchat requires a password before entry" msgstr "" -#: dist/converse-no-dependencies.js:50999 +#: dist/converse-no-dependencies.js:51608 msgid "No password required" msgstr "" -#: dist/converse-no-dependencies.js:51001 -#: dist/converse-no-dependencies.js:51153 +#: dist/converse-no-dependencies.js:51610 +#: dist/converse-no-dependencies.js:51762 msgid "This groupchat does not require a password upon entry" msgstr "" -#: dist/converse-no-dependencies.js:51009 -#: dist/converse-no-dependencies.js:51161 +#: dist/converse-no-dependencies.js:51618 +#: dist/converse-no-dependencies.js:51770 msgid "This groupchat is not publicly searchable" msgstr "" -#: dist/converse-no-dependencies.js:51017 -#: dist/converse-no-dependencies.js:51169 +#: dist/converse-no-dependencies.js:51626 +#: dist/converse-no-dependencies.js:51778 msgid "This groupchat is publicly searchable" msgstr "" -#: dist/converse-no-dependencies.js:51023 -#: dist/converse-no-dependencies.js:51179 +#: dist/converse-no-dependencies.js:51632 +#: dist/converse-no-dependencies.js:51788 msgid "Members only" msgstr "" -#: dist/converse-no-dependencies.js:51025 +#: dist/converse-no-dependencies.js:51634 msgid "This groupchat is restricted to members only" msgstr "" -#: dist/converse-no-dependencies.js:51033 -#: dist/converse-no-dependencies.js:51185 +#: dist/converse-no-dependencies.js:51642 +#: dist/converse-no-dependencies.js:51794 msgid "Anyone can join this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:51039 -#: dist/converse-no-dependencies.js:51195 +#: dist/converse-no-dependencies.js:51648 +#: dist/converse-no-dependencies.js:51804 msgid "Persistent" msgstr "" -#: dist/converse-no-dependencies.js:51041 -#: dist/converse-no-dependencies.js:51193 +#: dist/converse-no-dependencies.js:51650 +#: dist/converse-no-dependencies.js:51802 msgid "This groupchat persists even if it's unoccupied" msgstr "" -#: dist/converse-no-dependencies.js:51049 -#: dist/converse-no-dependencies.js:51201 +#: dist/converse-no-dependencies.js:51658 +#: dist/converse-no-dependencies.js:51810 msgid "This groupchat will disappear once the last person leaves" msgstr "" -#: dist/converse-no-dependencies.js:51055 -#: dist/converse-no-dependencies.js:51211 +#: dist/converse-no-dependencies.js:51664 +#: dist/converse-no-dependencies.js:51820 msgid "Not anonymous" msgstr "" -#: dist/converse-no-dependencies.js:51057 -#: dist/converse-no-dependencies.js:51209 +#: dist/converse-no-dependencies.js:51666 +#: dist/converse-no-dependencies.js:51818 msgid "All other groupchat participants can see your XMPP username" msgstr "" -#: dist/converse-no-dependencies.js:51065 -#: dist/converse-no-dependencies.js:51217 +#: dist/converse-no-dependencies.js:51674 +#: dist/converse-no-dependencies.js:51826 msgid "Only moderators can see your XMPP username" msgstr "" -#: dist/converse-no-dependencies.js:51073 -#: dist/converse-no-dependencies.js:51225 +#: dist/converse-no-dependencies.js:51682 +#: dist/converse-no-dependencies.js:51834 msgid "This groupchat is being moderated" msgstr "" -#: dist/converse-no-dependencies.js:51079 -#: dist/converse-no-dependencies.js:51235 +#: dist/converse-no-dependencies.js:51688 +#: dist/converse-no-dependencies.js:51844 msgid "Not moderated" msgstr "" -#: dist/converse-no-dependencies.js:51081 -#: dist/converse-no-dependencies.js:51233 +#: dist/converse-no-dependencies.js:51690 +#: dist/converse-no-dependencies.js:51842 msgid "This groupchat is not being moderated" msgstr "" -#: dist/converse-no-dependencies.js:51087 -#: dist/converse-no-dependencies.js:51243 +#: dist/converse-no-dependencies.js:51696 +#: dist/converse-no-dependencies.js:51852 msgid "Message archiving" msgstr "" -#: dist/converse-no-dependencies.js:51089 -#: dist/converse-no-dependencies.js:51241 +#: dist/converse-no-dependencies.js:51698 +#: dist/converse-no-dependencies.js:51850 msgid "Messages are archived on the server" msgstr "" -#: dist/converse-no-dependencies.js:51155 +#: dist/converse-no-dependencies.js:51764 msgid "No password" msgstr "" -#: dist/converse-no-dependencies.js:51177 +#: dist/converse-no-dependencies.js:51786 msgid "this groupchat is restricted to members only" msgstr "" -#: dist/converse-no-dependencies.js:52082 +#: dist/converse-no-dependencies.js:52691 msgid "XMPP Username:" msgstr "" -#: dist/converse-no-dependencies.js:52088 +#: dist/converse-no-dependencies.js:52697 msgid "Password:" msgstr "" -#: dist/converse-no-dependencies.js:52090 +#: dist/converse-no-dependencies.js:52699 msgid "password" msgstr "" -#: dist/converse-no-dependencies.js:52098 +#: dist/converse-no-dependencies.js:52707 msgid "This is a trusted device" msgstr "" -#: dist/converse-no-dependencies.js:52100 +#: dist/converse-no-dependencies.js:52709 msgid "" "To improve performance, we cache your data in this browser. Uncheck this box " "if this is a public computer or if you want your data to be deleted when you " @@ -1497,141 +1497,147 @@ msgid "" "cached data might be deleted." msgstr "" -#: dist/converse-no-dependencies.js:52102 +#: dist/converse-no-dependencies.js:52711 msgid "Log in" msgstr "" -#: dist/converse-no-dependencies.js:52108 +#: dist/converse-no-dependencies.js:52717 msgid "Click here to log in anonymously" msgstr "" -#: dist/converse-no-dependencies.js:52197 +#: dist/converse-no-dependencies.js:52806 msgid "This message has been edited" msgstr "" -#: dist/converse-no-dependencies.js:52223 +#: dist/converse-no-dependencies.js:52832 msgid "Edit this message" msgstr "" -#: dist/converse-no-dependencies.js:52248 +#: dist/converse-no-dependencies.js:52857 msgid "Message versions" msgstr "" -#: dist/converse-no-dependencies.js:52473 +#: dist/converse-no-dependencies.js:53082 msgid "Save and close" msgstr "" -#: dist/converse-no-dependencies.js:52477 +#: dist/converse-no-dependencies.js:53086 msgid "This device's OMEMO fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52489 +#: dist/converse-no-dependencies.js:53098 msgid "Select all" msgstr "" -#: dist/converse-no-dependencies.js:52491 +#: dist/converse-no-dependencies.js:53100 msgid "Checkbox to select fingerprints of all other OMEMO devices" msgstr "" -#: dist/converse-no-dependencies.js:52493 +#: dist/converse-no-dependencies.js:53102 msgid "Other OMEMO-enabled devices" msgstr "" -#: dist/converse-no-dependencies.js:52501 -#: dist/converse-no-dependencies.js:52509 +#: dist/converse-no-dependencies.js:53110 +#: dist/converse-no-dependencies.js:53118 msgid "Checkbox for selecting the following fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52511 +#: dist/converse-no-dependencies.js:53120 msgid "Device without a fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52517 +#: dist/converse-no-dependencies.js:53126 msgid "Remove checked devices and close" msgstr "" -#: dist/converse-no-dependencies.js:52599 +#: dist/converse-no-dependencies.js:53208 msgid "Don't have a chat account?" msgstr "" -#: dist/converse-no-dependencies.js:52601 +#: dist/converse-no-dependencies.js:53210 msgid "Create an account" msgstr "" -#: dist/converse-no-dependencies.js:52622 +#: dist/converse-no-dependencies.js:53231 msgid "Create your account" msgstr "" -#: dist/converse-no-dependencies.js:52624 +#: dist/converse-no-dependencies.js:53233 msgid "Please enter the XMPP provider to register with:" msgstr "" -#: dist/converse-no-dependencies.js:52644 +#: dist/converse-no-dependencies.js:53253 msgid "Already have a chat account?" msgstr "" -#: dist/converse-no-dependencies.js:52646 +#: dist/converse-no-dependencies.js:53255 msgid "Log in here" msgstr "" -#: dist/converse-no-dependencies.js:52667 +#: dist/converse-no-dependencies.js:53276 msgid "Account Registration:" msgstr "" -#: dist/converse-no-dependencies.js:52675 +#: dist/converse-no-dependencies.js:53284 msgid "Register" msgstr "" -#: dist/converse-no-dependencies.js:52679 +#: dist/converse-no-dependencies.js:53288 msgid "Choose a different provider" msgstr "" -#: dist/converse-no-dependencies.js:52700 +#: dist/converse-no-dependencies.js:53309 msgid "Hold tight, we're fetching the registration form…" msgstr "" -#: dist/converse-no-dependencies.js:53415 +#: dist/converse-no-dependencies.js:54024 msgid "Messages are being sent in plaintext" msgstr "" -#: dist/converse-no-dependencies.js:53467 +#: dist/converse-no-dependencies.js:54076 msgid "The User's Profile Image" msgstr "" -#: dist/converse-no-dependencies.js:53525 +#: dist/converse-no-dependencies.js:54134 msgid "OMEMO Fingerprints" msgstr "" -#: dist/converse-no-dependencies.js:53549 +#: dist/converse-no-dependencies.js:54158 msgid "Trusted" msgstr "" -#: dist/converse-no-dependencies.js:53563 +#: dist/converse-no-dependencies.js:54172 msgid "Untrusted" msgstr "" -#: dist/converse-no-dependencies.js:53577 +#: dist/converse-no-dependencies.js:54186 msgid "Remove as contact" msgstr "" -#: dist/converse-no-dependencies.js:53581 +#: dist/converse-no-dependencies.js:54190 msgid "Refresh" msgstr "" -#: dist/converse-no-dependencies.js:53950 -#: dist/converse-no-dependencies.js:53981 +#: dist/converse-no-dependencies.js:54559 msgid "Download" msgstr "" -#: dist/converse-no-dependencies.js:53970 +#: dist/converse-no-dependencies.js:54579 #, javascript-format -msgid "Download \"%1$s\"" +msgid "Download file \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:53994 -msgid "Download video file" +#: dist/converse-no-dependencies.js:54591 +#, javascript-format +msgid "Download image \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:54007 -msgid "Download audio file" +#: dist/converse-no-dependencies.js:54604 +#, javascript-format +msgid "Download video file \"%1$s\"" +msgstr "" + +#: dist/converse-no-dependencies.js:54617 +#, javascript-format +msgid "Download audio file \"%1$s\"" msgstr "" diff --git a/locale/cs/LC_MESSAGES/converse.json b/locale/cs/LC_MESSAGES/converse.json index 87f73ea69..c87fff11f 100644 --- a/locale/cs/LC_MESSAGES/converse.json +++ b/locale/cs/LC_MESSAGES/converse.json @@ -1 +1 @@ -{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;","lang":"cs"},"Bookmark this groupchat":["Přidat tento skupinový chat do záložek"],"The name for this bookmark:":["Název pro tuto záložku:"],"Would you like this groupchat to be automatically joined upon startup?":["Chcete se k tomuto skupinovému chatu automaticky připojit po startu?"],"What should your nickname for this groupchat be?":["Jaká bude vaše přezdívka pro tento skupinový chat?"],"Save":["Uložit"],"Cancel":["Zrušit"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Opravdu chcete odstranit záložku „%1$s“?"],"Error":["Chyba"],"Sorry, something went wrong while trying to save your bookmark.":["Omlouváme se, při pokusu o uložení vaší záložky se něco pokazilo."],"Leave this groupchat":["Odejít z tohoto skupinového chatu"],"Remove this bookmark":["Odstranit tuto záložku"],"Unbookmark this groupchat":["Odstranit tento skupinový chat ze záložek"],"Show more information on this groupchat":["Zobrazit více informací o tomto skupinovém chatu"],"Click to open this groupchat":["Kliknutím otevřete tento skupinový chat"],"Click to toggle the bookmarks list":["Kliknutím otevřete/zavřete seznam záložek"],"Bookmarks":["Záložky"],"Sorry, could not determine file upload URL.":["Omlouváme se, nelze určit URL nahraného souboru."],"Sorry, could not determine upload URL.":["Omlouváme se, nelze určit URL nahrání."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Omlouváme se, nelze úspěšně nahrát váš soubor. Odpověď vašeho serveru: „%1$s“"],"Sorry, could not succesfully upload your file.":["Omlouváme se, nelze úspěšně nahrát váš soubor."],"Sorry, looks like file upload is not supported by your server.":["Omlouváme se, vypadá to, že váš server nepodporuje nahrávání souborů."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["Velikost vašeho serveru, %1$s, přesahuje maximum povolené vaším serverem, což je %2$s."],"Sorry, an error occurred:":["Omlouváme se, vyskytla se chyba:"],"Close this chat box":["Zavřít toto chatovací okno"],"Are you sure you want to remove this contact?":["Opravdu chcete odstranit tento kontakt?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Omlouváme se, při odstraňování uživatele %1$s z kontaktů se vyskytla chyba."],"You have unread messages":["Máte nepřečtené zprávy"],"Hidden message":["Skrytá zpráva"],"Message":["Zpráva"],"Send":["Odeslat"],"Optional hint":["Volitelná nápověda"],"Choose a file to send":["Vyberte soubor k odeslání"],"Click to write as a normal (non-spoiler) message":["Kliknutím napíšete jako normální zprávu (bez spoilerů)"],"Click to write your message as a spoiler":["Kliknutím napíšete svou zprávu jako spoiler"],"Clear all messages":["Vymazat všechny zprávy"],"Insert emojis":["Vložit emoji"],"Start a call":["Začít hovor"],"Remove messages":["Odstranit zprávy"],"Write in the third person":["Psát ve třetí osobě"],"Show this menu":["Zobrazit tohle menu"],"Are you sure you want to clear the messages from this conversation?":["Opravdu chcete vymazat zprávy z téhle konverzace?"],"%1$s has gone offline":["%1$s se odpojil/a"],"%1$s has gone away":["%1$s odešel/la pryč"],"%1$s is busy":["%1$s je zaneprázdněn/a"],"%1$s is online":["%1$s je připojen/a"],"Username":["Uživatelské jméno"],"user@domain":["uživatel@doména"],"Please enter a valid XMPP address":["Prosím zadejte platnou XMPP adresu"],"Chat Contacts":["Chatové kontakty"],"Toggle chat":["Otevřít chat"],"The connection has dropped, attempting to reconnect.":["Spojení bylo přerušeno, pokoušíme se znovu spojit."],"An error occurred while connecting to the chat server.":["Při připojování na chatovací server se vyskytla chyba."],"Your Jabber ID and/or password is incorrect. Please try again.":["Vaše Jabber ID a/nebo heslo je nesprávné. Prosím zkuste to znova."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Omlouváme se, nemohli jsme se spojit s XMPP hostem s doménou: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["XMPP server nenabídl podporovaný autentikační mechanismus"],"Show more":["Zobrazit více"],"Typing from another device":["Píše z jiného zařízení"],"%1$s is typing":["%1$s píše"],"Stopped typing on the other device":["Přestal/a psát z jiného zařízení"],"%1$s has stopped typing":["%1$s přestal/a psát"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Zmenšit tohle chatovací okno"],"Click to restore this chat":["Kliknutím obnovíte tento chat"],"Minimized":["Zmenšeno"],"This groupchat is not anonymous":["Tento skupinový chat není anonymní"],"This groupchat now shows unavailable members":["Tento skupinový chat nyní zobrazuje nedostupné členy"],"This groupchat does not show unavailable members":["Tento skupinový chat nezobrazuje nedostupné členy"],"The groupchat configuration has changed":["Nastavení skupinového chatu se změnila"],"groupchat logging is now enabled":["zaznamenávání skupinového chatu je nyní povoleno"],"groupchat logging is now disabled":["zaznamenávání skupinového chatu je nyní zakázáno"],"This groupchat is now no longer anonymous":["Tento skupinový chat již není anonymní"],"This groupchat is now semi-anonymous":["Tento skupinový chat je nyní zčásti anonymní"],"This groupchat is now fully-anonymous":["Tento skupinový chat je nyní zcela anonymní"],"A new groupchat has been created":["Byl vytvořen nový skupinový chat"],"You have been banned from this groupchat":["Byl/a jste na tomto skupinovém chatu zakázán/a"],"You have been kicked from this groupchat":["Byl/a jste z tohoto skupinového chatu vyhozen/a"],"You have been removed from this groupchat because of an affiliation change":["Byl/a jste z tohoto skupinového chatu odebrán/a kvůli změně příslušnosti"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Byl/a jste z tohoto skupinového chatu odstraněn/a, protože se skupinový chat změnil na pouze pro členy a vy nejste členem"],"You have been removed from this groupchat because the service hosting it is being shut down":["Byl/a jste z tohoto skupinového chatu odstraněn/a, protože se služba, která jej hostuje, vypíná"],"%1$s has been banned":["%1$s byl/a zakázán/a"],"%1$s's nickname has changed":["Přezdívka uživatele %1$s se změnila"],"%1$s has been kicked out":["%1$s byl/a vyhozen/a"],"%1$s has been removed because of an affiliation change":["%1$s byl/a odstraněn/a kvůli změně příslušnosti"],"%1$s has been removed for not being a member":["%1$s byl/a odstraněna, protože není členem"],"Your nickname has been automatically set to %1$s":["Vaše přezdívka byla automaticky nastavena na %1$s"],"Your nickname has been changed to %1$s":["Vaše přezdívka byla změněna na %1$s"],"Description:":["Popis:"],"Groupchat Address (JID):":["Adresa skupinového chatu (JID):"],"Participants:":["Účastníci:"],"Features:":["Vlastnosti:"],"Requires authentication":["Vyžaduje ověření"],"Hidden":["Skryté"],"Requires an invitation":["Vyžaduje pozvání"],"Moderated":["Moderováno"],"Non-anonymous":["Neanonymní"],"Open":["Otevřené"],"Permanent":["Trvalé"],"Public":["Veřejné"],"Semi-anonymous":["Zčásti anonymní"],"Temporary":["Dočasné"],"Unmoderated":["Nemoderováno"],"Query for Groupchats":["Dotaz pro skupinové chaty"],"Server address":["Adresa serveru"],"Show groupchats":["Zobrazit skupinové chaty"],"conference.example.org":["conference.priklad.cz"],"No groupchats found":["Nenalezeny žádné skupinové chaty"],"Groupchats found:":["Nalezené skupinové chaty:"],"Enter a new Groupchat":["Vstoupit do nového skupinového chatu"],"Groupchat address":["Adresa skupinového chatu"],"Optional nickname":["Volitelná přezdívka"],"name@conference.example.org":["jmeno@conference.priklad.cz"],"Join":["Přidat se"],"Groupchat info for %1$s":["Informace o skupinovém chatu %1$s"],"%1$s is no longer a moderator":["%1$s již není moderátorem"],"%1$s has been given a voice again":["%1$s byl/a odtišen/a"],"%1$s has been muted":["%1$s byl/a utišen/a"],"%1$s is now a moderator":["%1$s je nyní moderátorem"],"Close and leave this groupchat":["Zavřít a odejít z tohoto skupinového chatu"],"Configure this groupchat":["Nastavit tento skupinový chat"],"Show more details about this groupchat":["Zobrazit více detailů o tomto skupinovém chatu"],"Hide the list of participants":["Skrýt seznam účastníků"],"Forbidden: you do not have the necessary role in order to do that.":["Zakázáno: k této akci nemáte potřebnou roli."],"Forbidden: you do not have the necessary affiliation in order to do that.":["Zakázáno: k této akci nemáte potřebnou příslušnost."],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Chyba: příkaz „%1$s“ bere dva argumenty, přezdívku uživatele a volitelně důvod."],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Omlouváme se, při spouštění příkazu se stala chyba. Pro detaily zkontrolujte vývojářskou konzoli ve vašem prohlížeči."],"Change user's affiliation to admin":["Změnit příslušnost uživatele na administrátora"],"Ban user from groupchat":["Zakázat uživatele na tomto skupinovém chatu"],"Change user role to participant":["Změnit roli uživatele na účastníka"],"Kick user from groupchat":["Vyhodit uživatele ze skupinového chatu"],"Write in 3rd person":["Psát ve 3. osobě"],"Grant membership to a user":["Poskytnout uživateli členství"],"Remove user's ability to post messages":["Odstranit schopnost uživatele posílat zprávy"],"Change your nickname":["Změnit svou přezdívku"],"Grant moderator role to user":["Poskytnout uživateli roli moderátora"],"Grant ownership of this groupchat":["Poskytnout vlastnictví tohoto skupinového chatu"],"Revoke user's membership":["Zrušit členství uživatele"],"Set groupchat subject":["Nastavit předmět skupinového chatu"],"Set groupchat subject (alias for /subject)":["Nastavit předmět skupinového chatu (alias pro /subject)"],"Allow muted user to post messages":["Povolit utišeným uživatelům posílat zprávy"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Přezdívka, kterou jste si vybral/a, je rezervována či aktuálně používána, prosím vyberte si jinou."],"Please choose your nickname":["Prosím vyberte si přezdívku"],"Nickname":["Přezdívka"],"Enter groupchat":["Vstoupit do skupinového chatu"],"This groupchat requires a password":["Tento skupinový chat vyžaduje heslo"],"Password: ":["Heslo: "],"Submit":["Odeslat"],"This action was done by %1$s.":["Tuto akci vykonal/a %1$s."],"The reason given is: \"%1$s\".":["Daný důvod je: „%1$s“."],"%1$s has left and re-entered the groupchat":["%1$s odešel/la a znova vstoupil/a do skupinového chatu"],"%1$s has entered the groupchat":["%1$s vstoupil/a do skupinového chatu"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s vstoupil/a do skupinového chatu. „%2$s“"],"%1$s has entered and left the groupchat":["%1$s vstoupil/a a odešel/la ze skupinového chatu"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s vstoupil/a a odešel/la ze skupinového chatu. „%2$s“"],"%1$s has left the groupchat":["%1$s odešel/la ze skupinového chatu"],"%1$s has left the groupchat. \"%2$s\"":["%1$s odešel/la ze skupinového chatu. „%2$s“"],"You are not on the member list of this groupchat.":["Nejste na seznamu členů tohoto skupinového chatu."],"You have been banned from this groupchat.":["Byl/a jste na tomto skupinovém chatu zakázán/a."],"No nickname was specified.":["Nebyla určena žádná přezdívka."],"You are not allowed to create new groupchats.":["Nemáte povolení vytvářet nové skupinové chaty."],"Your nickname doesn't conform to this groupchat's policies.":["Vaše přezdívka nevyhovuje zásadám tohoto skupinového chatu."],"This groupchat does not (yet) exist.":["Tento skupinový chat (ještě) neexistuje."],"This groupchat has reached its maximum number of participants.":["Tento skupinový chat dosáhl svého maximálního počtu účastníků."],"Remote server not found":["Vzdálený server nenalezen"],"The explanation given is: \"%1$s\".":["Dané vysvětlení je: „%1$s“."],"Topic set by %1$s":["Téma nastavené uživatelem %1$s"],"Groupchats":["Skupinové chaty"],"Add a new groupchat":["Přidat nový skupinový chat"],"Query for groupchats":["Dotaz pro skupinové chaty"],"Click to mention %1$s in your message.":["Kliknutím zmíníte uživatele %1$s ve své zprávě."],"This user is a moderator.":["Tento uživatel je moderátorem."],"This user can send messages in this groupchat.":["Tento uživatel může posílat zprávy v tomto skupinovém chatu."],"This user can NOT send messages in this groupchat.":["Tento uživatel NEMŮŽE posílat zprávy v tomto skupinovém chatu."],"Moderator":["Moderátor"],"Visitor":["Návštěvník"],"Owner":["Vlastník"],"Member":["Člen"],"Admin":["Administrátor"],"Participants":["Účastníci"],"Invite":["Pozvat"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":["Chystáte se pozvat uživatele %1$s do skupinového chatu „%2$s“. Můžete volitelně přidat zprávu vysvětlující důvod pozvání."],"Please enter a valid XMPP username":["Prosím zadejte platné uživatelské jméno XMPP"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["%1$s vás pozval/a do skupinového chatu: %2$s"],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":["%1$s vás pozval/a do skupinového chatu: %2$s, a zanechal/a následující důvod: „%3$s“"],"Notification from %1$s":["Oznámení od uživatele %1$s"],"%1$s says":["%1$s říká"],"has gone offline":["se odpojil/a"],"has gone away":["odešel/la pryč"],"is busy":["je zaneprázdněn/a"],"has come online":["se připojil/a"],"wants to be your contact":["chce být vaším kontaktem"],"Sorry, an error occurred while trying to remove the devices.":["Omlouváme se, při pokusu o odstranění zařízení se vyskytla chyba."],"Sorry, could not decrypt a received OMEMO message due to an error.":["Omlouváme se, kvůli chybě nelze dešifrovat obdrženou právu OMEMO."],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":["Tohle je zpráva zašifrovaná pomocí OMEMO, které, jak se zdá, váš klient nepodporuje. Více informací najdete na https://conversations.im/omemo"],"Sorry, could not send the message due to an error.":["Omlouváme se, kvůli chybě nelze odeslat zprávu."],"Your avatar image":["Váš avatarový obrázek"],"Your Profile":["Váš profil"],"Close":["Zavřít"],"Email":["E-mail"],"Full Name":["Celé jméno"],"XMPP Address (JID)":["XMPP adresa (JID)"],"Role":["Role"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Oddělujte více rolí čárkami. Vaše role jsou zobrazeny vedle vašeho jména na vašich chatových zprávách."],"URL":["URL"],"Sorry, an error happened while trying to save your profile data.":["Omlouváme se, při pokusu o uložení vašich profilových dat se stala chyba."],"You can check your browser's developer console for any error output.":["Můžete zkontrolovat vývojářskou konzoli vašeho prohlížeče pro jakýkoliv chybový výstup."],"Away":["Pryč"],"Busy":["Zaneprázdněn/a"],"Custom status":["Vlastní stav"],"Offline":["Odpojen/a"],"Online":["Připojen/a"],"Away for long":["Pryč na dlouho"],"Change chat status":["Změnit chatový stav"],"Personal status message":["Osobní stavová zpráva"],"I am %1$s":["Jsem %1$s"],"Change settings":["Změnit nastavení"],"Click to change your chat status":["Kliknutím změníte svůj chatový stav"],"Log out":["Odhlásit"],"Your profile":["Váš profil"],"Are you sure you want to log out?":["Opravdu se chcete odhlásit?"],"online":["připojen/a"],"busy":["zaneprázdněn/a"],"away for long":["pryč na dlouho"],"away":["pryč"],"offline":["odpojen/a"]," e.g. conversejs.org":[" např. conversejs.org"],"Fetch registration form":["Sehnat registrační formulář"],"Tip: A list of public XMPP providers is available":["Tip: Seznam veřejných poskytovatelů XMPP je dostupný"],"here":["zde"],"Sorry, we're unable to connect to your chosen provider.":["Omlouváme se, nelze se připojit k vašemu zvolenému poskytovateli."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Omlouváme se, daný poskytovatel nepodporuje in-band registraci účtu. Prosím zkuste to s jiným poskytovatelem."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Při navazování spojení s „%1$s“ se něco pokazilo. Jste si jistý/á, že existuje?"],"Now logging you in":["Nyní vás přihlašujeme"],"Registered successfully":["Úspěšně zaregistrováno"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Poskytovatel odmítl váš pokus o registraci. Prosím zkontrolujte hodnoty, které jste zadal/a, kvůli správnosti."],"Click to toggle the list of open groupchats":["Kliknutím otevřete/zavřete seznam otevřených skupinových chatů"],"Open Groupchats":["Otevřené skupinové chaty"],"Are you sure you want to leave the groupchat %1$s?":["Opravdu chcete odejít ze skupinového chatu %1$s?"],"Sorry, there was an error while trying to add %1$s as a contact.":["Omlouváme se při pokusu přidat uživatele %1$s do kontaktů se stala chyba."],"This client does not allow presence subscriptions":["Tento klient nedovoluje presenční odběry"],"Click to hide these contacts":["Kliknutím skryjete tyto kontakty"],"This contact is busy":["Tento kontakt je zaneprázdněn"],"This contact is online":["Tento kontakt je připojen"],"This contact is offline":["Tento kontakt je odpojen"],"This contact is unavailable":["Tento kontakt je nedostupný"],"This contact is away for an extended period":["Tento kontakt je na delší dobu pryč"],"This contact is away":["Tento kontakt je pryč"],"Groups":["Skupiny"],"My contacts":["Moje kontakty"],"Pending contacts":["Čekající kontakty"],"Contact requests":["Požadavky o kontakt"],"Ungrouped":["Neseskupené"],"Contact name":["Jméno kontaktu"],"Add a Contact":["Přidat kontakt"],"XMPP Address":["XMPP adresa"],"name@example.org":["jmeno@priklad.cz"],"Add":["Přidat"],"Filter":["Filtrovat"],"Filter by contact name":["Filtrovat dle jména kontaktu"],"Filter by group name":["Filtrovat dle názvu skupiny"],"Filter by status":["Filtrovat dle stavu"],"Any":["Libovolné"],"Unread":["Nepřečtené"],"Chatty":["Hovorný/á"],"Extended Away":["Na delší dobu pryč"],"Click to remove %1$s as a contact":["Kliknutím odstraníte uživatele %1$s z kontaktů"],"Click to accept the contact request from %1$s":["Kliknutím přijmete požadavek o kontakt od uživatele %1$s"],"Click to decline the contact request from %1$s":["Kliknutím odmítnete požadavek o kontakt od uživatele %1$s"],"Click to chat with %1$s (JID: %2$s)":["Kliknutím začnete chatovat s uživatelem %1$s (JSD: %2$s)"],"Are you sure you want to decline this contact request?":["Opravdu chcete odmítnout tento požadavek o kontakt?"],"Contacts":["Kontakty"],"Add a contact":["Přidat kontakt"],"Name":["Jméno"],"Groupchat address (JID)":["Název skupinového chatu (JID)"],"Description":["Popis"],"Topic":["Téma"],"Topic author":["Autor tématu"],"Online users":["Připojení uživatelé"],"Features":["Vlastnosti"],"Password protected":["Ochráněno heslem"],"This groupchat requires a password before entry":["Tento skupinový chat vyžaduje před vstupem heslo"],"No password required":["Heslo nevyžadováno"],"This groupchat does not require a password upon entry":["Tento skupinový chat nevyžaduje při vstupu heslo"],"This groupchat is not publicly searchable":["Tento skupinový chat není veřejně vyhledávatelný"],"This groupchat is publicly searchable":["Tento skupinový chat je veřejně vyhledávatelný"],"Members only":["Pouze pro členy"],"This groupchat is restricted to members only":["Tento skupinový chat je omezen pouze na členy"],"Anyone can join this groupchat":["Kdokoliv se k tomuto skupinovému chatu může připojit"],"Persistent":["Trvalý"],"This groupchat persists even if it's unoccupied":["Tento skupinový chat přetrvává, i když na něm nikdo není"],"This groupchat will disappear once the last person leaves":["Tento skupinový chat zmizí, jakmile poslední osoba odejde"],"Not anonymous":["Není anonymní"],"All other groupchat participants can see your XMPP username":["Všichni ostatní účastníci skupinového chatu mohou vidět vaše XMPP uživatelské jméno"],"Only moderators can see your XMPP username":["Pouze moderátoři mohou vidět vaše XMPP uživatelské jméno"],"This groupchat is being moderated":["Tento skupinový chat je moderován"],"Not moderated":["Není moderován"],"This groupchat is not being moderated":["Tento skupinový chat není moderován"],"Message archiving":["Archivace zpráv"],"Messages are archived on the server":["Na tomto serveru jsou archivovány zprávy"],"No password":["Žádné heslo"],"this groupchat is restricted to members only":["tento skupinový chat je omezen pouze na členy"],"XMPP Username:":["Uživatelské jméno XMPP:"],"Password:":["Heslo:"],"password":["heslo"],"This is a trusted device":["Tohle je důvěryhodné zařízení"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["K vylepšení výkonu ukládáme vaše data do mezipaměti tohoto prohlížeče. Je-li tohle veřejný počítač, nebo chcete-li, aby byla vaše data po odhlášení smazána, odškrtněte toto pole. Je důležité, abyste se výslovně odhlásil/a, jinak nemusí být smazána všechna data v mezipaměti."],"Log in":["Přihlásit"],"Click here to log in anonymously":["Kliknutím sem se přihlásíte anonymně"],"This message has been edited":["Tahle zpráva byla upravena"],"Edit this message":["Upravit tuto zprávu"],"Message versions":["Verze zprávy"],"Save and close":["Uložit a zavřít"],"This device's OMEMO fingerprint":["Otisk OMEMO tohoto zařízení"],"Select all":["Vybrat vše"],"Checkbox to select fingerprints of all other OMEMO devices":["Zaškrtnutím políček vyberete otisky všech ostatních zařízení OMEMO"],"Other OMEMO-enabled devices":["Další zařízení s podporou OMEMO"],"Checkbox for selecting the following fingerprint":["Zaškrtnutím políčka vyberete následující otisk"],"Device without a fingerprint":["Zařízení bez otisku"],"Remove checked devices and close":["Odstranit zaškrtnutá zařízení a zavřít"],"Don't have a chat account?":["Nemáte chatovací účet?"],"Create an account":["Vytvořte si účet"],"Create your account":["Vytvořit svůj účet"],"Please enter the XMPP provider to register with:":["Prosím zadejte poskytovatele XMPP, se kterým se chcete registrovat:"],"Already have a chat account?":["Již máte chatovací účet?"],"Log in here":["Přihlaste se zde"],"Account Registration:":["Registrace účtu:"],"Register":["Registrovat"],"Choose a different provider":["Vybrat jiného poskytovatele"],"Hold tight, we're fetching the registration form…":["Vydržte, sháníte registrační formulář…"],"Messages are being sent in plaintext":["Zprávy jsou odesílány v prostém textu"],"The User's Profile Image":["Profilový obrázek uživatele"],"OMEMO Fingerprints":["Otisky OMEMO"],"Trusted":["Důvěryhodné"],"Untrusted":["Nedůvěryhodné"],"Remove as contact":["Odstranit z kontaktů"],"Refresh":["Obnovit"],"Download":["Stáhnout"],"Download \"%1$s\"":["Stáhnout „%1$s“"],"Download video file":["Stáhnout videosoubor"],"Download audio file":["Stáhnout audiosoubor"]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;","lang":"cs"},"Bookmark this groupchat":["Přidat tento skupinový chat do záložek"],"The name for this bookmark:":["Název pro tuto záložku:"],"Would you like this groupchat to be automatically joined upon startup?":["Chcete se k tomuto skupinovému chatu automaticky připojit po startu?"],"What should your nickname for this groupchat be?":["Jaká bude vaše přezdívka pro tento skupinový chat?"],"Save":["Uložit"],"Cancel":["Zrušit"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Opravdu chcete odstranit záložku „%1$s“?"],"Error":["Chyba"],"Sorry, something went wrong while trying to save your bookmark.":["Omlouváme se, při pokusu o uložení vaší záložky se něco pokazilo."],"Leave this groupchat":["Odejít z tohoto skupinového chatu"],"Remove this bookmark":["Odstranit tuto záložku"],"Unbookmark this groupchat":["Odstranit tento skupinový chat ze záložek"],"Show more information on this groupchat":["Zobrazit více informací o tomto skupinovém chatu"],"Click to open this groupchat":["Kliknutím otevřete tento skupinový chat"],"Click to toggle the bookmarks list":["Kliknutím otevřete/zavřete seznam záložek"],"Bookmarks":["Záložky"],"Sorry, could not determine file upload URL.":["Omlouváme se, nelze určit URL nahraného souboru."],"Sorry, could not determine upload URL.":["Omlouváme se, nelze určit URL nahrání."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Omlouváme se, nelze úspěšně nahrát váš soubor. Odpověď vašeho serveru: „%1$s“"],"Sorry, could not succesfully upload your file.":["Omlouváme se, nelze úspěšně nahrát váš soubor."],"Sorry, looks like file upload is not supported by your server.":["Omlouváme se, vypadá to, že váš server nepodporuje nahrávání souborů."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["Velikost vašeho serveru, %1$s, přesahuje maximum povolené vaším serverem, což je %2$s."],"Sorry, an error occurred:":["Omlouváme se, vyskytla se chyba:"],"Close this chat box":["Zavřít toto chatovací okno"],"Are you sure you want to remove this contact?":["Opravdu chcete odstranit tento kontakt?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Omlouváme se, při odstraňování uživatele %1$s z kontaktů se vyskytla chyba."],"You have unread messages":["Máte nepřečtené zprávy"],"Hidden message":["Skrytá zpráva"],"Message":["Zpráva"],"Send":["Odeslat"],"Optional hint":["Volitelná nápověda"],"Choose a file to send":["Vyberte soubor k odeslání"],"Click to write as a normal (non-spoiler) message":["Kliknutím napíšete jako normální zprávu (bez spoilerů)"],"Click to write your message as a spoiler":["Kliknutím napíšete svou zprávu jako spoiler"],"Clear all messages":["Vymazat všechny zprávy"],"Insert emojis":["Vložit emoji"],"Start a call":["Začít hovor"],"Remove messages":["Odstranit zprávy"],"Write in the third person":["Psát ve třetí osobě"],"Show this menu":["Zobrazit tohle menu"],"Are you sure you want to clear the messages from this conversation?":["Opravdu chcete vymazat zprávy z téhle konverzace?"],"%1$s has gone offline":["%1$s se odpojil/a"],"%1$s has gone away":["%1$s odešel/la pryč"],"%1$s is busy":["%1$s je zaneprázdněn/a"],"%1$s is online":["%1$s je připojen/a"],"Username":["Uživatelské jméno"],"user@domain":["uživatel@doména"],"Please enter a valid XMPP address":["Prosím zadejte platnou XMPP adresu"],"Chat Contacts":["Chatové kontakty"],"Toggle chat":["Otevřít chat"],"The connection has dropped, attempting to reconnect.":["Spojení bylo přerušeno, pokoušíme se znovu spojit."],"An error occurred while connecting to the chat server.":["Při připojování na chatovací server se vyskytla chyba."],"Your Jabber ID and/or password is incorrect. Please try again.":["Vaše Jabber ID a/nebo heslo je nesprávné. Prosím zkuste to znova."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Omlouváme se, nemohli jsme se spojit s XMPP hostem s doménou: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["XMPP server nenabídl podporovaný autentikační mechanismus"],"Show more":["Zobrazit více"],"Typing from another device":["Píše z jiného zařízení"],"%1$s is typing":["%1$s píše"],"Stopped typing on the other device":["Přestal/a psát z jiného zařízení"],"%1$s has stopped typing":["%1$s přestal/a psát"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Zmenšit tohle chatovací okno"],"Click to restore this chat":["Kliknutím obnovíte tento chat"],"Minimized":["Zmenšeno"],"This groupchat is not anonymous":["Tento skupinový chat není anonymní"],"This groupchat now shows unavailable members":["Tento skupinový chat nyní zobrazuje nedostupné členy"],"This groupchat does not show unavailable members":["Tento skupinový chat nezobrazuje nedostupné členy"],"The groupchat configuration has changed":["Nastavení skupinového chatu se změnila"],"groupchat logging is now enabled":["zaznamenávání skupinového chatu je nyní povoleno"],"groupchat logging is now disabled":["zaznamenávání skupinového chatu je nyní zakázáno"],"This groupchat is now no longer anonymous":["Tento skupinový chat již není anonymní"],"This groupchat is now semi-anonymous":["Tento skupinový chat je nyní zčásti anonymní"],"This groupchat is now fully-anonymous":["Tento skupinový chat je nyní zcela anonymní"],"A new groupchat has been created":["Byl vytvořen nový skupinový chat"],"You have been banned from this groupchat":["Byl/a jste na tomto skupinovém chatu zakázán/a"],"You have been kicked from this groupchat":["Byl/a jste z tohoto skupinového chatu vyhozen/a"],"You have been removed from this groupchat because of an affiliation change":["Byl/a jste z tohoto skupinového chatu odebrán/a kvůli změně příslušnosti"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Byl/a jste z tohoto skupinového chatu odstraněn/a, protože se skupinový chat změnil na pouze pro členy a vy nejste členem"],"You have been removed from this groupchat because the service hosting it is being shut down":["Byl/a jste z tohoto skupinového chatu odstraněn/a, protože se služba, která jej hostuje, vypíná"],"%1$s has been banned":["%1$s byl/a zakázán/a"],"%1$s's nickname has changed":["Přezdívka uživatele %1$s se změnila"],"%1$s has been kicked out":["%1$s byl/a vyhozen/a"],"%1$s has been removed because of an affiliation change":["%1$s byl/a odstraněn/a kvůli změně příslušnosti"],"%1$s has been removed for not being a member":["%1$s byl/a odstraněna, protože není členem"],"Your nickname has been automatically set to %1$s":["Vaše přezdívka byla automaticky nastavena na %1$s"],"Your nickname has been changed to %1$s":["Vaše přezdívka byla změněna na %1$s"],"Description:":["Popis:"],"Groupchat Address (JID):":["Adresa skupinového chatu (JID):"],"Participants:":["Účastníci:"],"Features:":["Vlastnosti:"],"Requires authentication":["Vyžaduje ověření"],"Hidden":["Skryté"],"Requires an invitation":["Vyžaduje pozvání"],"Moderated":["Moderováno"],"Non-anonymous":["Neanonymní"],"Open":["Otevřené"],"Permanent":["Trvalé"],"Public":["Veřejné"],"Semi-anonymous":["Zčásti anonymní"],"Temporary":["Dočasné"],"Unmoderated":["Nemoderováno"],"Query for Groupchats":["Dotaz pro skupinové chaty"],"Server address":["Adresa serveru"],"Show groupchats":["Zobrazit skupinové chaty"],"conference.example.org":["conference.priklad.cz"],"No groupchats found":["Nenalezeny žádné skupinové chaty"],"Groupchats found:":["Nalezené skupinové chaty:"],"Enter a new Groupchat":["Vstoupit do nového skupinového chatu"],"Groupchat address":["Adresa skupinového chatu"],"Optional nickname":["Volitelná přezdívka"],"name@conference.example.org":["jmeno@conference.priklad.cz"],"Join":["Přidat se"],"Groupchat info for %1$s":["Informace o skupinovém chatu %1$s"],"%1$s is no longer a moderator":["%1$s již není moderátorem"],"%1$s has been given a voice again":["%1$s byl/a odtišen/a"],"%1$s has been muted":["%1$s byl/a utišen/a"],"%1$s is now a moderator":["%1$s je nyní moderátorem"],"Close and leave this groupchat":["Zavřít a odejít z tohoto skupinového chatu"],"Configure this groupchat":["Nastavit tento skupinový chat"],"Show more details about this groupchat":["Zobrazit více detailů o tomto skupinovém chatu"],"Hide the list of participants":["Skrýt seznam účastníků"],"Forbidden: you do not have the necessary role in order to do that.":["Zakázáno: k této akci nemáte potřebnou roli."],"Forbidden: you do not have the necessary affiliation in order to do that.":["Zakázáno: k této akci nemáte potřebnou příslušnost."],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Chyba: příkaz „%1$s“ bere dva argumenty, přezdívku uživatele a volitelně důvod."],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Omlouváme se, při spouštění příkazu se stala chyba. Pro detaily zkontrolujte vývojářskou konzoli ve vašem prohlížeči."],"Change user's affiliation to admin":["Změnit příslušnost uživatele na administrátora"],"Ban user from groupchat":["Zakázat uživatele na tomto skupinovém chatu"],"Change user role to participant":["Změnit roli uživatele na účastníka"],"Kick user from groupchat":["Vyhodit uživatele ze skupinového chatu"],"Write in 3rd person":["Psát ve 3. osobě"],"Grant membership to a user":["Poskytnout uživateli členství"],"Remove user's ability to post messages":["Odstranit schopnost uživatele posílat zprávy"],"Change your nickname":["Změnit svou přezdívku"],"Grant moderator role to user":["Poskytnout uživateli roli moderátora"],"Grant ownership of this groupchat":["Poskytnout vlastnictví tohoto skupinového chatu"],"Revoke user's membership":["Zrušit členství uživatele"],"Set groupchat subject":["Nastavit předmět skupinového chatu"],"Set groupchat subject (alias for /subject)":["Nastavit předmět skupinového chatu (alias pro /subject)"],"Allow muted user to post messages":["Povolit utišeným uživatelům posílat zprávy"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Přezdívka, kterou jste si vybral/a, je rezervována či aktuálně používána, prosím vyberte si jinou."],"Please choose your nickname":["Prosím vyberte si přezdívku"],"Nickname":["Přezdívka"],"Enter groupchat":["Vstoupit do skupinového chatu"],"This groupchat requires a password":["Tento skupinový chat vyžaduje heslo"],"Password: ":["Heslo: "],"Submit":["Odeslat"],"This action was done by %1$s.":["Tuto akci vykonal/a %1$s."],"The reason given is: \"%1$s\".":["Daný důvod je: „%1$s“."],"%1$s has left and re-entered the groupchat":["%1$s odešel/la a znova vstoupil/a do skupinového chatu"],"%1$s has entered the groupchat":["%1$s vstoupil/a do skupinového chatu"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s vstoupil/a do skupinového chatu. „%2$s“"],"%1$s has entered and left the groupchat":["%1$s vstoupil/a a odešel/la ze skupinového chatu"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s vstoupil/a a odešel/la ze skupinového chatu. „%2$s“"],"%1$s has left the groupchat":["%1$s odešel/la ze skupinového chatu"],"%1$s has left the groupchat. \"%2$s\"":["%1$s odešel/la ze skupinového chatu. „%2$s“"],"You are not on the member list of this groupchat.":["Nejste na seznamu členů tohoto skupinového chatu."],"You have been banned from this groupchat.":["Byl/a jste na tomto skupinovém chatu zakázán/a."],"No nickname was specified.":["Nebyla určena žádná přezdívka."],"You are not allowed to create new groupchats.":["Nemáte povolení vytvářet nové skupinové chaty."],"Your nickname doesn't conform to this groupchat's policies.":["Vaše přezdívka nevyhovuje zásadám tohoto skupinového chatu."],"This groupchat does not (yet) exist.":["Tento skupinový chat (ještě) neexistuje."],"This groupchat has reached its maximum number of participants.":["Tento skupinový chat dosáhl svého maximálního počtu účastníků."],"Remote server not found":["Vzdálený server nenalezen"],"The explanation given is: \"%1$s\".":["Dané vysvětlení je: „%1$s“."],"Topic set by %1$s":["Téma nastavené uživatelem %1$s"],"Groupchats":["Skupinové chaty"],"Add a new groupchat":["Přidat nový skupinový chat"],"Query for groupchats":["Dotaz pro skupinové chaty"],"Click to mention %1$s in your message.":["Kliknutím zmíníte uživatele %1$s ve své zprávě."],"This user is a moderator.":["Tento uživatel je moderátorem."],"This user can send messages in this groupchat.":["Tento uživatel může posílat zprávy v tomto skupinovém chatu."],"This user can NOT send messages in this groupchat.":["Tento uživatel NEMŮŽE posílat zprávy v tomto skupinovém chatu."],"Moderator":["Moderátor"],"Visitor":["Návštěvník"],"Owner":["Vlastník"],"Member":["Člen"],"Admin":["Administrátor"],"Participants":["Účastníci"],"Invite":["Pozvat"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":["Chystáte se pozvat uživatele %1$s do skupinového chatu „%2$s“. Můžete volitelně přidat zprávu vysvětlující důvod pozvání."],"Please enter a valid XMPP username":["Prosím zadejte platné uživatelské jméno XMPP"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["%1$s vás pozval/a do skupinového chatu: %2$s"],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":["%1$s vás pozval/a do skupinového chatu: %2$s, a zanechal/a následující důvod: „%3$s“"],"Notification from %1$s":["Oznámení od uživatele %1$s"],"%1$s says":["%1$s říká"],"has gone offline":["se odpojil/a"],"has gone away":["odešel/la pryč"],"is busy":["je zaneprázdněn/a"],"has come online":["se připojil/a"],"wants to be your contact":["chce být vaším kontaktem"],"Sorry, an error occurred while trying to remove the devices.":["Omlouváme se, při pokusu o odstranění zařízení se vyskytla chyba."],"Sorry, could not decrypt a received OMEMO message due to an error.":["Omlouváme se, kvůli chybě nelze dešifrovat obdrženou právu OMEMO."],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":["Tohle je zpráva zašifrovaná pomocí OMEMO, které, jak se zdá, váš klient nepodporuje. Více informací najdete na https://conversations.im/omemo"],"Sorry, could not send the message due to an error.":["Omlouváme se, kvůli chybě nelze odeslat zprávu."],"Your avatar image":["Váš avatarový obrázek"],"Your Profile":["Váš profil"],"Close":["Zavřít"],"Email":["E-mail"],"Full Name":["Celé jméno"],"XMPP Address (JID)":["XMPP adresa (JID)"],"Role":["Role"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Oddělujte více rolí čárkami. Vaše role jsou zobrazeny vedle vašeho jména na vašich chatových zprávách."],"URL":["URL"],"Sorry, an error happened while trying to save your profile data.":["Omlouváme se, při pokusu o uložení vašich profilových dat se stala chyba."],"You can check your browser's developer console for any error output.":["Můžete zkontrolovat vývojářskou konzoli vašeho prohlížeče pro jakýkoliv chybový výstup."],"Away":["Pryč"],"Busy":["Zaneprázdněn/a"],"Custom status":["Vlastní stav"],"Offline":["Odpojen/a"],"Online":["Připojen/a"],"Away for long":["Pryč na dlouho"],"Change chat status":["Změnit chatový stav"],"Personal status message":["Osobní stavová zpráva"],"I am %1$s":["Jsem %1$s"],"Change settings":["Změnit nastavení"],"Click to change your chat status":["Kliknutím změníte svůj chatový stav"],"Log out":["Odhlásit"],"Your profile":["Váš profil"],"Are you sure you want to log out?":["Opravdu se chcete odhlásit?"],"online":["připojen/a"],"busy":["zaneprázdněn/a"],"away for long":["pryč na dlouho"],"away":["pryč"],"offline":["odpojen/a"]," e.g. conversejs.org":[" např. conversejs.org"],"Fetch registration form":["Sehnat registrační formulář"],"Tip: A list of public XMPP providers is available":["Tip: Seznam veřejných poskytovatelů XMPP je dostupný"],"here":["zde"],"Sorry, we're unable to connect to your chosen provider.":["Omlouváme se, nelze se připojit k vašemu zvolenému poskytovateli."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Omlouváme se, daný poskytovatel nepodporuje in-band registraci účtu. Prosím zkuste to s jiným poskytovatelem."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Při navazování spojení s „%1$s“ se něco pokazilo. Jste si jistý/á, že existuje?"],"Now logging you in":["Nyní vás přihlašujeme"],"Registered successfully":["Úspěšně zaregistrováno"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Poskytovatel odmítl váš pokus o registraci. Prosím zkontrolujte hodnoty, které jste zadal/a, kvůli správnosti."],"Click to toggle the list of open groupchats":["Kliknutím otevřete/zavřete seznam otevřených skupinových chatů"],"Open Groupchats":["Otevřené skupinové chaty"],"Are you sure you want to leave the groupchat %1$s?":["Opravdu chcete odejít ze skupinového chatu %1$s?"],"Sorry, there was an error while trying to add %1$s as a contact.":["Omlouváme se při pokusu přidat uživatele %1$s do kontaktů se stala chyba."],"This client does not allow presence subscriptions":["Tento klient nedovoluje presenční odběry"],"Click to hide these contacts":["Kliknutím skryjete tyto kontakty"],"This contact is busy":["Tento kontakt je zaneprázdněn"],"This contact is online":["Tento kontakt je připojen"],"This contact is offline":["Tento kontakt je odpojen"],"This contact is unavailable":["Tento kontakt je nedostupný"],"This contact is away for an extended period":["Tento kontakt je na delší dobu pryč"],"This contact is away":["Tento kontakt je pryč"],"Groups":["Skupiny"],"My contacts":["Moje kontakty"],"Pending contacts":["Čekající kontakty"],"Contact requests":["Požadavky o kontakt"],"Ungrouped":["Neseskupené"],"Contact name":["Jméno kontaktu"],"Add a Contact":["Přidat kontakt"],"XMPP Address":["XMPP adresa"],"name@example.org":["jmeno@priklad.cz"],"Add":["Přidat"],"Filter":["Filtrovat"],"Filter by contact name":["Filtrovat dle jména kontaktu"],"Filter by group name":["Filtrovat dle názvu skupiny"],"Filter by status":["Filtrovat dle stavu"],"Any":["Libovolné"],"Unread":["Nepřečtené"],"Chatty":["Hovorný/á"],"Extended Away":["Na delší dobu pryč"],"Click to remove %1$s as a contact":["Kliknutím odstraníte uživatele %1$s z kontaktů"],"Click to accept the contact request from %1$s":["Kliknutím přijmete požadavek o kontakt od uživatele %1$s"],"Click to decline the contact request from %1$s":["Kliknutím odmítnete požadavek o kontakt od uživatele %1$s"],"Click to chat with %1$s (JID: %2$s)":["Kliknutím začnete chatovat s uživatelem %1$s (JSD: %2$s)"],"Are you sure you want to decline this contact request?":["Opravdu chcete odmítnout tento požadavek o kontakt?"],"Contacts":["Kontakty"],"Add a contact":["Přidat kontakt"],"Name":["Jméno"],"Groupchat address (JID)":["Název skupinového chatu (JID)"],"Description":["Popis"],"Topic":["Téma"],"Topic author":["Autor tématu"],"Online users":["Připojení uživatelé"],"Features":["Vlastnosti"],"Password protected":["Ochráněno heslem"],"This groupchat requires a password before entry":["Tento skupinový chat vyžaduje před vstupem heslo"],"No password required":["Heslo nevyžadováno"],"This groupchat does not require a password upon entry":["Tento skupinový chat nevyžaduje při vstupu heslo"],"This groupchat is not publicly searchable":["Tento skupinový chat není veřejně vyhledávatelný"],"This groupchat is publicly searchable":["Tento skupinový chat je veřejně vyhledávatelný"],"Members only":["Pouze pro členy"],"This groupchat is restricted to members only":["Tento skupinový chat je omezen pouze na členy"],"Anyone can join this groupchat":["Kdokoliv se k tomuto skupinovému chatu může připojit"],"Persistent":["Trvalý"],"This groupchat persists even if it's unoccupied":["Tento skupinový chat přetrvává, i když na něm nikdo není"],"This groupchat will disappear once the last person leaves":["Tento skupinový chat zmizí, jakmile poslední osoba odejde"],"Not anonymous":["Není anonymní"],"All other groupchat participants can see your XMPP username":["Všichni ostatní účastníci skupinového chatu mohou vidět vaše XMPP uživatelské jméno"],"Only moderators can see your XMPP username":["Pouze moderátoři mohou vidět vaše XMPP uživatelské jméno"],"This groupchat is being moderated":["Tento skupinový chat je moderován"],"Not moderated":["Není moderován"],"This groupchat is not being moderated":["Tento skupinový chat není moderován"],"Message archiving":["Archivace zpráv"],"Messages are archived on the server":["Na tomto serveru jsou archivovány zprávy"],"No password":["Žádné heslo"],"this groupchat is restricted to members only":["tento skupinový chat je omezen pouze na členy"],"XMPP Username:":["Uživatelské jméno XMPP:"],"Password:":["Heslo:"],"password":["heslo"],"This is a trusted device":["Tohle je důvěryhodné zařízení"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["K vylepšení výkonu ukládáme vaše data do mezipaměti tohoto prohlížeče. Je-li tohle veřejný počítač, nebo chcete-li, aby byla vaše data po odhlášení smazána, odškrtněte toto pole. Je důležité, abyste se výslovně odhlásil/a, jinak nemusí být smazána všechna data v mezipaměti."],"Log in":["Přihlásit"],"Click here to log in anonymously":["Kliknutím sem se přihlásíte anonymně"],"This message has been edited":["Tahle zpráva byla upravena"],"Edit this message":["Upravit tuto zprávu"],"Message versions":["Verze zprávy"],"Save and close":["Uložit a zavřít"],"This device's OMEMO fingerprint":["Otisk OMEMO tohoto zařízení"],"Select all":["Vybrat vše"],"Checkbox to select fingerprints of all other OMEMO devices":["Zaškrtnutím políček vyberete otisky všech ostatních zařízení OMEMO"],"Other OMEMO-enabled devices":["Další zařízení s podporou OMEMO"],"Checkbox for selecting the following fingerprint":["Zaškrtnutím políčka vyberete následující otisk"],"Device without a fingerprint":["Zařízení bez otisku"],"Remove checked devices and close":["Odstranit zaškrtnutá zařízení a zavřít"],"Don't have a chat account?":["Nemáte chatovací účet?"],"Create an account":["Vytvořte si účet"],"Create your account":["Vytvořit svůj účet"],"Please enter the XMPP provider to register with:":["Prosím zadejte poskytovatele XMPP, se kterým se chcete registrovat:"],"Already have a chat account?":["Již máte chatovací účet?"],"Log in here":["Přihlaste se zde"],"Account Registration:":["Registrace účtu:"],"Register":["Registrovat"],"Choose a different provider":["Vybrat jiného poskytovatele"],"Hold tight, we're fetching the registration form…":["Vydržte, sháníte registrační formulář…"],"Messages are being sent in plaintext":["Zprávy jsou odesílány v prostém textu"],"The User's Profile Image":["Profilový obrázek uživatele"],"OMEMO Fingerprints":["Otisky OMEMO"],"Trusted":["Důvěryhodné"],"Untrusted":["Nedůvěryhodné"],"Remove as contact":["Odstranit z kontaktů"],"Refresh":["Obnovit"],"Download":["Stáhnout"]}}} \ No newline at end of file diff --git a/locale/cs/LC_MESSAGES/converse.po b/locale/cs/LC_MESSAGES/converse.po index 316bdc29a..393a40067 100644 --- a/locale/cs/LC_MESSAGES/converse.po +++ b/locale/cs/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 3.3.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-09-07 13:43+0000\n" "Last-Translator: Lorem Ipsum \n" "Language-Team: Czech =2 && n<=4) ? 1 : 2;\n" "X-Generator: Weblate 3.2-dev\n" -#: dist/converse-no-dependencies.js:31821 -#: dist/converse-no-dependencies.js:31906 -#: dist/converse-no-dependencies.js:47423 +#: dist/converse-no-dependencies.js:32421 +#: dist/converse-no-dependencies.js:32506 +#: dist/converse-no-dependencies.js:48032 msgid "Bookmark this groupchat" msgstr "Přidat tento skupinový chat do záložek" -#: dist/converse-no-dependencies.js:31907 +#: dist/converse-no-dependencies.js:32507 msgid "The name for this bookmark:" msgstr "Název pro tuto záložku:" -#: dist/converse-no-dependencies.js:31908 +#: dist/converse-no-dependencies.js:32508 msgid "Would you like this groupchat to be automatically joined upon startup?" msgstr "Chcete se k tomuto skupinovému chatu automaticky připojit po startu?" -#: dist/converse-no-dependencies.js:31909 +#: dist/converse-no-dependencies.js:32509 msgid "What should your nickname for this groupchat be?" msgstr "Jaká bude vaše přezdívka pro tento skupinový chat?" -#: dist/converse-no-dependencies.js:31911 -#: dist/converse-no-dependencies.js:41743 -#: dist/converse-no-dependencies.js:46269 +#: dist/converse-no-dependencies.js:32511 +#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:46878 msgid "Save" msgstr "Uložit" -#: dist/converse-no-dependencies.js:31912 -#: dist/converse-no-dependencies.js:41744 -#: dist/converse-no-dependencies.js:46265 -#: dist/converse-no-dependencies.js:52704 +#: dist/converse-no-dependencies.js:32512 +#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:46874 +#: dist/converse-no-dependencies.js:53313 msgid "Cancel" msgstr "Zrušit" -#: dist/converse-no-dependencies.js:31985 +#: dist/converse-no-dependencies.js:32585 #, javascript-format msgid "Are you sure you want to remove the bookmark \"%1$s\"?" msgstr "Opravdu chcete odstranit záložku „%1$s“?" -#: dist/converse-no-dependencies.js:32104 -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:44898 -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:32704 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:45498 +#: dist/converse-no-dependencies.js:46823 msgid "Error" msgstr "Chyba" -#: dist/converse-no-dependencies.js:32104 +#: dist/converse-no-dependencies.js:32704 msgid "Sorry, something went wrong while trying to save your bookmark." msgstr "Omlouváme se, při pokusu o uložení vaší záložky se něco pokazilo." -#: dist/converse-no-dependencies.js:32195 -#: dist/converse-no-dependencies.js:47421 +#: dist/converse-no-dependencies.js:32795 +#: dist/converse-no-dependencies.js:48030 msgid "Leave this groupchat" msgstr "Odejít z tohoto skupinového chatu" -#: dist/converse-no-dependencies.js:32196 +#: dist/converse-no-dependencies.js:32796 msgid "Remove this bookmark" msgstr "Odstranit tuto záložku" -#: dist/converse-no-dependencies.js:32197 -#: dist/converse-no-dependencies.js:47422 +#: dist/converse-no-dependencies.js:32797 +#: dist/converse-no-dependencies.js:48031 msgid "Unbookmark this groupchat" msgstr "Odstranit tento skupinový chat ze záložek" -#: dist/converse-no-dependencies.js:32198 -#: dist/converse-no-dependencies.js:40905 -#: dist/converse-no-dependencies.js:47424 +#: dist/converse-no-dependencies.js:32798 +#: dist/converse-no-dependencies.js:41505 +#: dist/converse-no-dependencies.js:48033 msgid "Show more information on this groupchat" msgstr "Zobrazit více informací o tomto skupinovém chatu" -#: dist/converse-no-dependencies.js:32201 -#: dist/converse-no-dependencies.js:40904 -#: dist/converse-no-dependencies.js:47426 +#: dist/converse-no-dependencies.js:32801 +#: dist/converse-no-dependencies.js:41504 +#: dist/converse-no-dependencies.js:48035 msgid "Click to open this groupchat" msgstr "Kliknutím otevřete tento skupinový chat" -#: dist/converse-no-dependencies.js:32240 +#: dist/converse-no-dependencies.js:32840 msgid "Click to toggle the bookmarks list" msgstr "Kliknutím otevřete/zavřete seznam záložek" -#: dist/converse-no-dependencies.js:32241 +#: dist/converse-no-dependencies.js:32841 msgid "Bookmarks" msgstr "Záložky" -#: dist/converse-no-dependencies.js:32660 +#: dist/converse-no-dependencies.js:33260 msgid "Sorry, could not determine file upload URL." msgstr "Omlouváme se, nelze určit URL nahraného souboru." -#: dist/converse-no-dependencies.js:32668 +#: dist/converse-no-dependencies.js:33268 msgid "Sorry, could not determine upload URL." msgstr "Omlouváme se, nelze určit URL nahrání." -#: dist/converse-no-dependencies.js:32703 +#: dist/converse-no-dependencies.js:33303 #, javascript-format msgid "" "Sorry, could not succesfully upload your file. Your server’s response: \"%1$s" @@ -116,15 +116,15 @@ msgid "" msgstr "" "Omlouváme se, nelze úspěšně nahrát váš soubor. Odpověď vašeho serveru: „%1$s“" -#: dist/converse-no-dependencies.js:32705 +#: dist/converse-no-dependencies.js:33305 msgid "Sorry, could not succesfully upload your file." msgstr "Omlouváme se, nelze úspěšně nahrát váš soubor." -#: dist/converse-no-dependencies.js:32950 +#: dist/converse-no-dependencies.js:33550 msgid "Sorry, looks like file upload is not supported by your server." msgstr "Omlouváme se, vypadá to, že váš server nepodporuje nahrávání souborů." -#: dist/converse-no-dependencies.js:32960 +#: dist/converse-no-dependencies.js:33560 #, javascript-format msgid "" "The size of your file, %1$s, exceeds the maximum allowed by your server, " @@ -133,246 +133,246 @@ msgstr "" "Velikost vašeho serveru, %1$s, přesahuje maximum povolené vaším serverem, " "což je %2$s." -#: dist/converse-no-dependencies.js:33182 +#: dist/converse-no-dependencies.js:33782 msgid "Sorry, an error occurred:" msgstr "Omlouváme se, vyskytla se chyba:" -#: dist/converse-no-dependencies.js:33860 +#: dist/converse-no-dependencies.js:34460 msgid "Close this chat box" msgstr "Zavřít toto chatovací okno" -#: dist/converse-no-dependencies.js:33937 -#: dist/converse-no-dependencies.js:49200 +#: dist/converse-no-dependencies.js:34537 +#: dist/converse-no-dependencies.js:49809 msgid "Are you sure you want to remove this contact?" msgstr "Opravdu chcete odstranit tento kontakt?" -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:49208 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:49817 #, javascript-format msgid "Sorry, there was an error while trying to remove %1$s as a contact." msgstr "" "Omlouváme se, při odstraňování uživatele %1$s z kontaktů se vyskytla chyba." -#: dist/converse-no-dependencies.js:34000 -#: dist/converse-no-dependencies.js:34040 +#: dist/converse-no-dependencies.js:34600 +#: dist/converse-no-dependencies.js:34640 msgid "You have unread messages" msgstr "Máte nepřečtené zprávy" -#: dist/converse-no-dependencies.js:34026 +#: dist/converse-no-dependencies.js:34626 msgid "Hidden message" msgstr "Skrytá zpráva" -#: dist/converse-no-dependencies.js:34028 +#: dist/converse-no-dependencies.js:34628 msgid "Message" msgstr "Zpráva" -#: dist/converse-no-dependencies.js:34035 +#: dist/converse-no-dependencies.js:34635 msgid "Send" msgstr "Odeslat" -#: dist/converse-no-dependencies.js:34036 +#: dist/converse-no-dependencies.js:34636 msgid "Optional hint" msgstr "Volitelná nápověda" -#: dist/converse-no-dependencies.js:34074 +#: dist/converse-no-dependencies.js:34674 msgid "Choose a file to send" msgstr "Vyberte soubor k odeslání" -#: dist/converse-no-dependencies.js:34130 +#: dist/converse-no-dependencies.js:34730 msgid "Click to write as a normal (non-spoiler) message" msgstr "Kliknutím napíšete jako normální zprávu (bez spoilerů)" -#: dist/converse-no-dependencies.js:34132 +#: dist/converse-no-dependencies.js:34732 msgid "Click to write your message as a spoiler" msgstr "Kliknutím napíšete svou zprávu jako spoiler" -#: dist/converse-no-dependencies.js:34136 +#: dist/converse-no-dependencies.js:34736 msgid "Clear all messages" msgstr "Vymazat všechny zprávy" -#: dist/converse-no-dependencies.js:34137 +#: dist/converse-no-dependencies.js:34737 msgid "Insert emojis" msgstr "Vložit emoji" -#: dist/converse-no-dependencies.js:34138 +#: dist/converse-no-dependencies.js:34738 msgid "Start a call" msgstr "Začít hovor" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Remove messages" msgstr "Odstranit zprávy" -#: dist/converse-no-dependencies.js:34455 +#: dist/converse-no-dependencies.js:35055 msgid "Write in the third person" msgstr "Psát ve třetí osobě" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Show this menu" msgstr "Zobrazit tohle menu" -#: dist/converse-no-dependencies.js:34676 +#: dist/converse-no-dependencies.js:35276 msgid "Are you sure you want to clear the messages from this conversation?" msgstr "Opravdu chcete vymazat zprávy z téhle konverzace?" -#: dist/converse-no-dependencies.js:34792 +#: dist/converse-no-dependencies.js:35392 #, javascript-format msgid "%1$s has gone offline" msgstr "%1$s se odpojil/a" -#: dist/converse-no-dependencies.js:34794 -#: dist/converse-no-dependencies.js:39805 +#: dist/converse-no-dependencies.js:35394 +#: dist/converse-no-dependencies.js:40405 #, javascript-format msgid "%1$s has gone away" msgstr "%1$s odešel/la pryč" -#: dist/converse-no-dependencies.js:34796 +#: dist/converse-no-dependencies.js:35396 #, javascript-format msgid "%1$s is busy" msgstr "%1$s je zaneprázdněn/a" -#: dist/converse-no-dependencies.js:34798 +#: dist/converse-no-dependencies.js:35398 #, javascript-format msgid "%1$s is online" msgstr "%1$s je připojen/a" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "Username" msgstr "Uživatelské jméno" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "user@domain" msgstr "uživatel@doména" -#: dist/converse-no-dependencies.js:35446 -#: dist/converse-no-dependencies.js:48809 +#: dist/converse-no-dependencies.js:36046 +#: dist/converse-no-dependencies.js:49418 msgid "Please enter a valid XMPP address" msgstr "Prosím zadejte platnou XMPP adresu" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Chat Contacts" msgstr "Chatové kontakty" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Toggle chat" msgstr "Otevřít chat" -#: dist/converse-no-dependencies.js:36182 +#: dist/converse-no-dependencies.js:36782 msgid "The connection has dropped, attempting to reconnect." msgstr "Spojení bylo přerušeno, pokoušíme se znovu spojit." -#: dist/converse-no-dependencies.js:36282 +#: dist/converse-no-dependencies.js:36882 msgid "An error occurred while connecting to the chat server." msgstr "Při připojování na chatovací server se vyskytla chyba." -#: dist/converse-no-dependencies.js:36289 +#: dist/converse-no-dependencies.js:36889 msgid "Your Jabber ID and/or password is incorrect. Please try again." msgstr "Vaše Jabber ID a/nebo heslo je nesprávné. Prosím zkuste to znova." -#: dist/converse-no-dependencies.js:36301 +#: dist/converse-no-dependencies.js:36901 #, javascript-format msgid "Sorry, we could not connect to the XMPP host with domain: %1$s" msgstr "Omlouváme se, nemohli jsme se spojit s XMPP hostem s doménou: %1$s" -#: dist/converse-no-dependencies.js:36303 +#: dist/converse-no-dependencies.js:36903 msgid "The XMPP server did not offer a supported authentication mechanism" msgstr "XMPP server nenabídl podporovaný autentikační mechanismus" -#: dist/converse-no-dependencies.js:39746 +#: dist/converse-no-dependencies.js:40346 msgid "Show more" msgstr "Zobrazit více" -#: dist/converse-no-dependencies.js:39794 +#: dist/converse-no-dependencies.js:40394 msgid "Typing from another device" msgstr "Píše z jiného zařízení" -#: dist/converse-no-dependencies.js:39796 +#: dist/converse-no-dependencies.js:40396 #, javascript-format msgid "%1$s is typing" msgstr "%1$s píše" -#: dist/converse-no-dependencies.js:39800 +#: dist/converse-no-dependencies.js:40400 msgid "Stopped typing on the other device" msgstr "Přestal/a psát z jiného zařízení" -#: dist/converse-no-dependencies.js:39802 +#: dist/converse-no-dependencies.js:40402 #, javascript-format msgid "%1$s has stopped typing" msgstr "%1$s přestal/a psát" -#: dist/converse-no-dependencies.js:39837 +#: dist/converse-no-dependencies.js:40437 msgid "Unencryptable OMEMO message" msgstr "" -#: dist/converse-no-dependencies.js:40055 -#: dist/converse-no-dependencies.js:40098 +#: dist/converse-no-dependencies.js:40655 +#: dist/converse-no-dependencies.js:40698 msgid "Minimize this chat box" msgstr "Zmenšit tohle chatovací okno" -#: dist/converse-no-dependencies.js:40231 +#: dist/converse-no-dependencies.js:40831 msgid "Click to restore this chat" msgstr "Kliknutím obnovíte tento chat" -#: dist/converse-no-dependencies.js:40420 +#: dist/converse-no-dependencies.js:41020 msgid "Minimized" msgstr "Zmenšeno" -#: dist/converse-no-dependencies.js:40747 +#: dist/converse-no-dependencies.js:41347 msgid "This groupchat is not anonymous" msgstr "Tento skupinový chat není anonymní" -#: dist/converse-no-dependencies.js:40748 +#: dist/converse-no-dependencies.js:41348 msgid "This groupchat now shows unavailable members" msgstr "Tento skupinový chat nyní zobrazuje nedostupné členy" -#: dist/converse-no-dependencies.js:40749 +#: dist/converse-no-dependencies.js:41349 msgid "This groupchat does not show unavailable members" msgstr "Tento skupinový chat nezobrazuje nedostupné členy" -#: dist/converse-no-dependencies.js:40750 +#: dist/converse-no-dependencies.js:41350 msgid "The groupchat configuration has changed" msgstr "Nastavení skupinového chatu se změnila" -#: dist/converse-no-dependencies.js:40751 +#: dist/converse-no-dependencies.js:41351 msgid "groupchat logging is now enabled" msgstr "zaznamenávání skupinového chatu je nyní povoleno" -#: dist/converse-no-dependencies.js:40752 +#: dist/converse-no-dependencies.js:41352 msgid "groupchat logging is now disabled" msgstr "zaznamenávání skupinového chatu je nyní zakázáno" -#: dist/converse-no-dependencies.js:40753 +#: dist/converse-no-dependencies.js:41353 msgid "This groupchat is now no longer anonymous" msgstr "Tento skupinový chat již není anonymní" -#: dist/converse-no-dependencies.js:40754 +#: dist/converse-no-dependencies.js:41354 msgid "This groupchat is now semi-anonymous" msgstr "Tento skupinový chat je nyní zčásti anonymní" -#: dist/converse-no-dependencies.js:40755 +#: dist/converse-no-dependencies.js:41355 msgid "This groupchat is now fully-anonymous" msgstr "Tento skupinový chat je nyní zcela anonymní" -#: dist/converse-no-dependencies.js:40756 +#: dist/converse-no-dependencies.js:41356 msgid "A new groupchat has been created" msgstr "Byl vytvořen nový skupinový chat" -#: dist/converse-no-dependencies.js:40759 +#: dist/converse-no-dependencies.js:41359 msgid "You have been banned from this groupchat" msgstr "Byl/a jste na tomto skupinovém chatu zakázán/a" -#: dist/converse-no-dependencies.js:40760 +#: dist/converse-no-dependencies.js:41360 msgid "You have been kicked from this groupchat" msgstr "Byl/a jste z tohoto skupinového chatu vyhozen/a" -#: dist/converse-no-dependencies.js:40761 +#: dist/converse-no-dependencies.js:41361 msgid "" "You have been removed from this groupchat because of an affiliation change" msgstr "" "Byl/a jste z tohoto skupinového chatu odebrán/a kvůli změně příslušnosti" -#: dist/converse-no-dependencies.js:40762 +#: dist/converse-no-dependencies.js:41362 msgid "" "You have been removed from this groupchat because the groupchat has changed " "to members-only and you're not a member" @@ -380,7 +380,7 @@ msgstr "" "Byl/a jste z tohoto skupinového chatu odstraněn/a, protože se skupinový chat " "změnil na pouze pro členy a vy nejste členem" -#: dist/converse-no-dependencies.js:40763 +#: dist/converse-no-dependencies.js:41363 msgid "" "You have been removed from this groupchat because the service hosting it is " "being shut down" @@ -398,244 +398,244 @@ msgstr "" #. * can then at least tell gettext to scan for it so that these #. * strings are picked up by the translation machinery. #. -#: dist/converse-no-dependencies.js:40776 +#: dist/converse-no-dependencies.js:41376 #, javascript-format msgid "%1$s has been banned" msgstr "%1$s byl/a zakázán/a" -#: dist/converse-no-dependencies.js:40777 +#: dist/converse-no-dependencies.js:41377 #, javascript-format msgid "%1$s's nickname has changed" msgstr "Přezdívka uživatele %1$s se změnila" -#: dist/converse-no-dependencies.js:40778 +#: dist/converse-no-dependencies.js:41378 #, javascript-format msgid "%1$s has been kicked out" msgstr "%1$s byl/a vyhozen/a" -#: dist/converse-no-dependencies.js:40779 +#: dist/converse-no-dependencies.js:41379 #, javascript-format msgid "%1$s has been removed because of an affiliation change" msgstr "%1$s byl/a odstraněn/a kvůli změně příslušnosti" -#: dist/converse-no-dependencies.js:40780 +#: dist/converse-no-dependencies.js:41380 #, javascript-format msgid "%1$s has been removed for not being a member" msgstr "%1$s byl/a odstraněna, protože není členem" -#: dist/converse-no-dependencies.js:40783 +#: dist/converse-no-dependencies.js:41383 #, javascript-format msgid "Your nickname has been automatically set to %1$s" msgstr "Vaše přezdívka byla automaticky nastavena na %1$s" -#: dist/converse-no-dependencies.js:40784 +#: dist/converse-no-dependencies.js:41384 #, javascript-format msgid "Your nickname has been changed to %1$s" msgstr "Vaše přezdívka byla změněna na %1$s" -#: dist/converse-no-dependencies.js:40815 +#: dist/converse-no-dependencies.js:41415 msgid "Description:" msgstr "Popis:" -#: dist/converse-no-dependencies.js:40816 +#: dist/converse-no-dependencies.js:41416 msgid "Groupchat Address (JID):" msgstr "Adresa skupinového chatu (JID):" -#: dist/converse-no-dependencies.js:40817 +#: dist/converse-no-dependencies.js:41417 msgid "Participants:" msgstr "Účastníci:" -#: dist/converse-no-dependencies.js:40818 +#: dist/converse-no-dependencies.js:41418 msgid "Features:" msgstr "Vlastnosti:" -#: dist/converse-no-dependencies.js:40819 +#: dist/converse-no-dependencies.js:41419 msgid "Requires authentication" msgstr "Vyžaduje ověření" -#: dist/converse-no-dependencies.js:40820 -#: dist/converse-no-dependencies.js:51007 -#: dist/converse-no-dependencies.js:51163 +#: dist/converse-no-dependencies.js:41420 +#: dist/converse-no-dependencies.js:51616 +#: dist/converse-no-dependencies.js:51772 msgid "Hidden" msgstr "Skryté" -#: dist/converse-no-dependencies.js:40821 +#: dist/converse-no-dependencies.js:41421 msgid "Requires an invitation" msgstr "Vyžaduje pozvání" -#: dist/converse-no-dependencies.js:40822 -#: dist/converse-no-dependencies.js:51071 -#: dist/converse-no-dependencies.js:51227 +#: dist/converse-no-dependencies.js:41422 +#: dist/converse-no-dependencies.js:51680 +#: dist/converse-no-dependencies.js:51836 msgid "Moderated" msgstr "Moderováno" -#: dist/converse-no-dependencies.js:40823 +#: dist/converse-no-dependencies.js:41423 msgid "Non-anonymous" msgstr "Neanonymní" -#: dist/converse-no-dependencies.js:40824 -#: dist/converse-no-dependencies.js:51031 -#: dist/converse-no-dependencies.js:51187 +#: dist/converse-no-dependencies.js:41424 +#: dist/converse-no-dependencies.js:51640 +#: dist/converse-no-dependencies.js:51796 msgid "Open" msgstr "Otevřené" -#: dist/converse-no-dependencies.js:40825 +#: dist/converse-no-dependencies.js:41425 msgid "Permanent" msgstr "Trvalé" -#: dist/converse-no-dependencies.js:40826 -#: dist/converse-no-dependencies.js:51015 -#: dist/converse-no-dependencies.js:51171 +#: dist/converse-no-dependencies.js:41426 +#: dist/converse-no-dependencies.js:51624 +#: dist/converse-no-dependencies.js:51780 msgid "Public" msgstr "Veřejné" -#: dist/converse-no-dependencies.js:40827 -#: dist/converse-no-dependencies.js:51063 -#: dist/converse-no-dependencies.js:51219 +#: dist/converse-no-dependencies.js:41427 +#: dist/converse-no-dependencies.js:51672 +#: dist/converse-no-dependencies.js:51828 msgid "Semi-anonymous" msgstr "Zčásti anonymní" -#: dist/converse-no-dependencies.js:40828 -#: dist/converse-no-dependencies.js:51047 -#: dist/converse-no-dependencies.js:51203 +#: dist/converse-no-dependencies.js:41428 +#: dist/converse-no-dependencies.js:51656 +#: dist/converse-no-dependencies.js:51812 msgid "Temporary" msgstr "Dočasné" -#: dist/converse-no-dependencies.js:40829 +#: dist/converse-no-dependencies.js:41429 msgid "Unmoderated" msgstr "Nemoderováno" -#: dist/converse-no-dependencies.js:40865 +#: dist/converse-no-dependencies.js:41465 msgid "Query for Groupchats" msgstr "Dotaz pro skupinové chaty" -#: dist/converse-no-dependencies.js:40866 +#: dist/converse-no-dependencies.js:41466 msgid "Server address" msgstr "Adresa serveru" -#: dist/converse-no-dependencies.js:40867 +#: dist/converse-no-dependencies.js:41467 msgid "Show groupchats" msgstr "Zobrazit skupinové chaty" -#: dist/converse-no-dependencies.js:40868 +#: dist/converse-no-dependencies.js:41468 msgid "conference.example.org" msgstr "conference.priklad.cz" -#: dist/converse-no-dependencies.js:40917 +#: dist/converse-no-dependencies.js:41517 msgid "No groupchats found" msgstr "Nenalezeny žádné skupinové chaty" -#: dist/converse-no-dependencies.js:40934 +#: dist/converse-no-dependencies.js:41534 msgid "Groupchats found:" msgstr "Nalezené skupinové chaty:" -#: dist/converse-no-dependencies.js:40984 +#: dist/converse-no-dependencies.js:41584 msgid "Enter a new Groupchat" msgstr "Vstoupit do nového skupinového chatu" -#: dist/converse-no-dependencies.js:40985 +#: dist/converse-no-dependencies.js:41585 msgid "Groupchat address" msgstr "Adresa skupinového chatu" -#: dist/converse-no-dependencies.js:40986 -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:41586 +#: dist/converse-no-dependencies.js:49410 msgid "Optional nickname" msgstr "Volitelná přezdívka" -#: dist/converse-no-dependencies.js:40987 +#: dist/converse-no-dependencies.js:41587 msgid "name@conference.example.org" msgstr "jmeno@conference.priklad.cz" -#: dist/converse-no-dependencies.js:40988 +#: dist/converse-no-dependencies.js:41588 msgid "Join" msgstr "Přidat se" -#: dist/converse-no-dependencies.js:41036 +#: dist/converse-no-dependencies.js:41636 #, javascript-format msgid "Groupchat info for %1$s" msgstr "Informace o skupinovém chatu %1$s" -#: dist/converse-no-dependencies.js:41212 +#: dist/converse-no-dependencies.js:41812 #, fuzzy, javascript-format msgid "%1$s is no longer an admin of this groupchat" msgstr "%1$s vstoupil/a a odešel/la ze skupinového chatu" -#: dist/converse-no-dependencies.js:41214 +#: dist/converse-no-dependencies.js:41814 #, fuzzy, javascript-format msgid "%1$s is no longer an owner of this groupchat" msgstr "Poskytnout vlastnictví tohoto skupinového chatu" -#: dist/converse-no-dependencies.js:41216 +#: dist/converse-no-dependencies.js:41816 #, fuzzy, javascript-format msgid "%1$s is no longer banned from this groupchat" msgstr "Byl/a jste na tomto skupinovém chatu zakázán/a" -#: dist/converse-no-dependencies.js:41220 +#: dist/converse-no-dependencies.js:41820 #, fuzzy, javascript-format msgid "%1$s is no longer a permanent member of this groupchat" msgstr "Nejste na seznamu členů tohoto skupinového chatu." -#: dist/converse-no-dependencies.js:41224 +#: dist/converse-no-dependencies.js:41824 #, fuzzy, javascript-format msgid "%1$s is now a permanent member of this groupchat" msgstr "Nejste na seznamu členů tohoto skupinového chatu." -#: dist/converse-no-dependencies.js:41226 +#: dist/converse-no-dependencies.js:41826 #, fuzzy, javascript-format msgid "%1$s has been banned from this groupchat" msgstr "Byl/a jste na tomto skupinovém chatu zakázán/a" -#: dist/converse-no-dependencies.js:41228 +#: dist/converse-no-dependencies.js:41828 #, fuzzy, javascript-format msgid "%1$s is now an " msgstr "%1$s je nyní moderátorem" -#: dist/converse-no-dependencies.js:41235 +#: dist/converse-no-dependencies.js:41835 #, javascript-format msgid "%1$s is no longer a moderator" msgstr "%1$s již není moderátorem" -#: dist/converse-no-dependencies.js:41239 +#: dist/converse-no-dependencies.js:41839 #, javascript-format msgid "%1$s has been given a voice again" msgstr "%1$s byl/a odtišen/a" -#: dist/converse-no-dependencies.js:41243 +#: dist/converse-no-dependencies.js:41843 #, javascript-format msgid "%1$s has been muted" msgstr "%1$s byl/a utišen/a" -#: dist/converse-no-dependencies.js:41247 +#: dist/converse-no-dependencies.js:41847 #, javascript-format msgid "%1$s is now a moderator" msgstr "%1$s je nyní moderátorem" -#: dist/converse-no-dependencies.js:41255 +#: dist/converse-no-dependencies.js:41855 msgid "Close and leave this groupchat" msgstr "Zavřít a odejít z tohoto skupinového chatu" -#: dist/converse-no-dependencies.js:41256 +#: dist/converse-no-dependencies.js:41856 msgid "Configure this groupchat" msgstr "Nastavit tento skupinový chat" -#: dist/converse-no-dependencies.js:41257 +#: dist/converse-no-dependencies.js:41857 msgid "Show more details about this groupchat" msgstr "Zobrazit více detailů o tomto skupinovém chatu" -#: dist/converse-no-dependencies.js:41297 +#: dist/converse-no-dependencies.js:41897 msgid "Hide the list of participants" msgstr "Skrýt seznam účastníků" -#: dist/converse-no-dependencies.js:41413 +#: dist/converse-no-dependencies.js:42013 msgid "Forbidden: you do not have the necessary role in order to do that." msgstr "Zakázáno: k této akci nemáte potřebnou roli." -#: dist/converse-no-dependencies.js:41425 +#: dist/converse-no-dependencies.js:42025 msgid "" "Forbidden: you do not have the necessary affiliation in order to do that." msgstr "Zakázáno: k této akci nemáte potřebnou příslušnost." -#: dist/converse-no-dependencies.js:41436 +#: dist/converse-no-dependencies.js:42036 #, javascript-format msgid "" "Error: the \"%1$s\" command takes two arguments, the user's nickname and " @@ -644,12 +644,12 @@ msgstr "" "Chyba: příkaz „%1$s“ bere dva argumenty, přezdívku uživatele a volitelně " "důvod." -#: dist/converse-no-dependencies.js:41445 +#: dist/converse-no-dependencies.js:42045 #, fuzzy, javascript-format msgid "Error: couldn't find a groupchat participant \"%1$s\"" msgstr "Chyba: Nelze najít účastníika skupinového chatu s přezdívkou „" -#: dist/converse-no-dependencies.js:41454 +#: dist/converse-no-dependencies.js:42054 msgid "" "Sorry, an error happened while running the command. Check your browser's " "developer console for details." @@ -657,72 +657,72 @@ msgstr "" "Omlouváme se, při spouštění příkazu se stala chyba. Pro detaily zkontrolujte " "vývojářskou konzoli ve vašem prohlížeči." -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user's affiliation to admin" msgstr "Změnit příslušnost uživatele na administrátora" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Ban user from groupchat" msgstr "Zakázat uživatele na tomto skupinovém chatu" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user role to participant" msgstr "Změnit roli uživatele na účastníka" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Kick user from groupchat" msgstr "Vyhodit uživatele ze skupinového chatu" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Write in 3rd person" msgstr "Psát ve 3. osobě" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant membership to a user" msgstr "Poskytnout uživateli členství" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Remove user's ability to post messages" msgstr "Odstranit schopnost uživatele posílat zprávy" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change your nickname" msgstr "Změnit svou přezdívku" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant moderator role to user" msgstr "Poskytnout uživateli roli moderátora" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant ownership of this groupchat" msgstr "Poskytnout vlastnictví tohoto skupinového chatu" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Register a nickname for this room" msgstr "Název pro tuto záložku:" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Revoke user's membership" msgstr "Zrušit členství uživatele" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject" msgstr "Nastavit předmět skupinového chatu" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject (alias for /subject)" msgstr "Nastavit předmět skupinového chatu (alias pro /subject)" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Allow muted user to post messages" msgstr "Povolit utišeným uživatelům posílat zprávy" -#: dist/converse-no-dependencies.js:41598 +#: dist/converse-no-dependencies.js:42198 msgid "Error: invalid number of arguments" msgstr "" -#: dist/converse-no-dependencies.js:41848 +#: dist/converse-no-dependencies.js:42448 msgid "" "The nickname you chose is reserved or currently in use, please choose a " "different one." @@ -730,184 +730,184 @@ msgstr "" "Přezdívka, kterou jste si vybral/a, je rezervována či aktuálně používána, " "prosím vyberte si jinou." -#: dist/converse-no-dependencies.js:41874 +#: dist/converse-no-dependencies.js:42474 msgid "Please choose your nickname" msgstr "Prosím vyberte si přezdívku" -#: dist/converse-no-dependencies.js:41875 -#: dist/converse-no-dependencies.js:46177 -#: dist/converse-no-dependencies.js:53489 +#: dist/converse-no-dependencies.js:42475 +#: dist/converse-no-dependencies.js:46786 +#: dist/converse-no-dependencies.js:54098 msgid "Nickname" msgstr "Přezdívka" -#: dist/converse-no-dependencies.js:41876 +#: dist/converse-no-dependencies.js:42476 msgid "Enter groupchat" msgstr "Vstoupit do skupinového chatu" -#: dist/converse-no-dependencies.js:41897 +#: dist/converse-no-dependencies.js:42497 msgid "This groupchat requires a password" msgstr "Tento skupinový chat vyžaduje heslo" -#: dist/converse-no-dependencies.js:41898 +#: dist/converse-no-dependencies.js:42498 msgid "Password: " msgstr "Heslo: " -#: dist/converse-no-dependencies.js:41899 +#: dist/converse-no-dependencies.js:42499 msgid "Submit" msgstr "Odeslat" -#: dist/converse-no-dependencies.js:42021 +#: dist/converse-no-dependencies.js:42621 #, javascript-format msgid "This action was done by %1$s." msgstr "Tuto akci vykonal/a %1$s." -#: dist/converse-no-dependencies.js:42025 -#: dist/converse-no-dependencies.js:42043 +#: dist/converse-no-dependencies.js:42625 +#: dist/converse-no-dependencies.js:42643 #, javascript-format msgid "The reason given is: \"%1$s\"." msgstr "Daný důvod je: „%1$s“." -#: dist/converse-no-dependencies.js:42075 +#: dist/converse-no-dependencies.js:42675 #, javascript-format msgid "%1$s has left and re-entered the groupchat" msgstr "%1$s odešel/la a znova vstoupil/a do skupinového chatu" -#: dist/converse-no-dependencies.js:42088 +#: dist/converse-no-dependencies.js:42688 #, javascript-format msgid "%1$s has entered the groupchat" msgstr "%1$s vstoupil/a do skupinového chatu" -#: dist/converse-no-dependencies.js:42090 +#: dist/converse-no-dependencies.js:42690 #, javascript-format msgid "%1$s has entered the groupchat. \"%2$s\"" msgstr "%1$s vstoupil/a do skupinového chatu. „%2$s“" -#: dist/converse-no-dependencies.js:42125 +#: dist/converse-no-dependencies.js:42725 #, javascript-format msgid "%1$s has entered and left the groupchat" msgstr "%1$s vstoupil/a a odešel/la ze skupinového chatu" -#: dist/converse-no-dependencies.js:42127 +#: dist/converse-no-dependencies.js:42727 #, javascript-format msgid "%1$s has entered and left the groupchat. \"%2$s\"" msgstr "%1$s vstoupil/a a odešel/la ze skupinového chatu. „%2$s“" -#: dist/converse-no-dependencies.js:42147 +#: dist/converse-no-dependencies.js:42747 #, javascript-format msgid "%1$s has left the groupchat" msgstr "%1$s odešel/la ze skupinového chatu" -#: dist/converse-no-dependencies.js:42149 +#: dist/converse-no-dependencies.js:42749 #, javascript-format msgid "%1$s has left the groupchat. \"%2$s\"" msgstr "%1$s odešel/la ze skupinového chatu. „%2$s“" -#: dist/converse-no-dependencies.js:42196 +#: dist/converse-no-dependencies.js:42796 msgid "You are not on the member list of this groupchat." msgstr "Nejste na seznamu členů tohoto skupinového chatu." -#: dist/converse-no-dependencies.js:42198 +#: dist/converse-no-dependencies.js:42798 msgid "You have been banned from this groupchat." msgstr "Byl/a jste na tomto skupinovém chatu zakázán/a." -#: dist/converse-no-dependencies.js:42202 +#: dist/converse-no-dependencies.js:42802 msgid "No nickname was specified." msgstr "Nebyla určena žádná přezdívka." -#: dist/converse-no-dependencies.js:42206 +#: dist/converse-no-dependencies.js:42806 msgid "You are not allowed to create new groupchats." msgstr "Nemáte povolení vytvářet nové skupinové chaty." -#: dist/converse-no-dependencies.js:42208 +#: dist/converse-no-dependencies.js:42808 msgid "Your nickname doesn't conform to this groupchat's policies." msgstr "Vaše přezdívka nevyhovuje zásadám tohoto skupinového chatu." -#: dist/converse-no-dependencies.js:42212 +#: dist/converse-no-dependencies.js:42812 msgid "This groupchat does not (yet) exist." msgstr "Tento skupinový chat (ještě) neexistuje." -#: dist/converse-no-dependencies.js:42214 +#: dist/converse-no-dependencies.js:42814 msgid "This groupchat has reached its maximum number of participants." msgstr "Tento skupinový chat dosáhl svého maximálního počtu účastníků." -#: dist/converse-no-dependencies.js:42216 +#: dist/converse-no-dependencies.js:42816 msgid "Remote server not found" msgstr "Vzdálený server nenalezen" -#: dist/converse-no-dependencies.js:42221 +#: dist/converse-no-dependencies.js:42821 #, javascript-format msgid "The explanation given is: \"%1$s\"." msgstr "Dané vysvětlení je: „%1$s“." -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, javascript-format msgid "Topic set by %1$s" msgstr "Téma nastavené uživatelem %1$s" -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, fuzzy, javascript-format msgid "Topic cleared by %1$s" msgstr "Téma nastavené uživatelem %1$s" -#: dist/converse-no-dependencies.js:42303 +#: dist/converse-no-dependencies.js:42903 msgid "Groupchats" msgstr "Skupinové chaty" -#: dist/converse-no-dependencies.js:42304 +#: dist/converse-no-dependencies.js:42904 msgid "Add a new groupchat" msgstr "Přidat nový skupinový chat" -#: dist/converse-no-dependencies.js:42305 +#: dist/converse-no-dependencies.js:42905 msgid "Query for groupchats" msgstr "Dotaz pro skupinové chaty" -#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:42943 #, javascript-format msgid "Click to mention %1$s in your message." msgstr "Kliknutím zmíníte uživatele %1$s ve své zprávě." -#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:42944 msgid "This user is a moderator." msgstr "Tento uživatel je moderátorem." -#: dist/converse-no-dependencies.js:42345 +#: dist/converse-no-dependencies.js:42945 msgid "This user can send messages in this groupchat." msgstr "Tento uživatel může posílat zprávy v tomto skupinovém chatu." -#: dist/converse-no-dependencies.js:42346 +#: dist/converse-no-dependencies.js:42946 msgid "This user can NOT send messages in this groupchat." msgstr "Tento uživatel NEMŮŽE posílat zprávy v tomto skupinovém chatu." -#: dist/converse-no-dependencies.js:42347 +#: dist/converse-no-dependencies.js:42947 msgid "Moderator" msgstr "Moderátor" -#: dist/converse-no-dependencies.js:42348 +#: dist/converse-no-dependencies.js:42948 msgid "Visitor" msgstr "Návštěvník" -#: dist/converse-no-dependencies.js:42349 +#: dist/converse-no-dependencies.js:42949 msgid "Owner" msgstr "Vlastník" -#: dist/converse-no-dependencies.js:42350 +#: dist/converse-no-dependencies.js:42950 msgid "Member" msgstr "Člen" -#: dist/converse-no-dependencies.js:42351 +#: dist/converse-no-dependencies.js:42951 msgid "Admin" msgstr "Administrátor" -#: dist/converse-no-dependencies.js:42393 +#: dist/converse-no-dependencies.js:42993 msgid "Participants" msgstr "Účastníci" -#: dist/converse-no-dependencies.js:42410 -#: dist/converse-no-dependencies.js:42491 +#: dist/converse-no-dependencies.js:43010 +#: dist/converse-no-dependencies.js:43091 msgid "Invite" msgstr "Pozvat" -#: dist/converse-no-dependencies.js:42468 +#: dist/converse-no-dependencies.js:43068 #, javascript-format msgid "" "You are about to invite %1$s to the groupchat \"%2$s\". You may optionally " @@ -916,38 +916,38 @@ msgstr "" "Chystáte se pozvat uživatele %1$s do skupinového chatu „%2$s“. Můžete " "volitelně přidat zprávu vysvětlující důvod pozvání." -#: dist/converse-no-dependencies.js:42490 +#: dist/converse-no-dependencies.js:43090 msgid "Please enter a valid XMPP username" msgstr "Prosím zadejte platné uživatelské jméno XMPP" -#: dist/converse-no-dependencies.js:43621 +#: dist/converse-no-dependencies.js:44221 #, fuzzy msgid "You're not allowed to register yourself in this groupchat." msgstr "Nemáte povolení vytvářet nové skupinové chaty." -#: dist/converse-no-dependencies.js:43623 +#: dist/converse-no-dependencies.js:44223 #, fuzzy msgid "" "You're not allowed to register in this groupchat because it's members-only." msgstr "Nemáte povolení vytvářet nové skupinové chaty." -#: dist/converse-no-dependencies.js:43656 +#: dist/converse-no-dependencies.js:44256 msgid "" "Can't register your nickname in this groupchat, it doesn't support " "registration." msgstr "" -#: dist/converse-no-dependencies.js:43658 +#: dist/converse-no-dependencies.js:44258 msgid "" "Can't register your nickname in this groupchat, invalid data form supplied." msgstr "" -#: dist/converse-no-dependencies.js:44118 +#: dist/converse-no-dependencies.js:44718 #, javascript-format msgid "%1$s has invited you to join a groupchat: %2$s" msgstr "%1$s vás pozval/a do skupinového chatu: %2$s" -#: dist/converse-no-dependencies.js:44120 +#: dist/converse-no-dependencies.js:44720 #, javascript-format msgid "" "%1$s has invited you to join a groupchat: %2$s, and left the following " @@ -956,66 +956,66 @@ msgstr "" "%1$s vás pozval/a do skupinového chatu: %2$s, a zanechal/a následující " "důvod: „%3$s“" -#: dist/converse-no-dependencies.js:44209 +#: dist/converse-no-dependencies.js:44809 #, fuzzy msgid "Error: the groupchat " msgstr "Vstoupit do skupinového chatu" -#: dist/converse-no-dependencies.js:44211 +#: dist/converse-no-dependencies.js:44811 #, fuzzy msgid "Sorry, you're not allowed to registerd in this groupchat" msgstr "Nemáte povolení vytvářet nové skupinové chaty." #. workaround for Prosody which doesn't give type "headline" -#: dist/converse-no-dependencies.js:44596 -#: dist/converse-no-dependencies.js:44602 +#: dist/converse-no-dependencies.js:45196 +#: dist/converse-no-dependencies.js:45202 #, javascript-format msgid "Notification from %1$s" msgstr "Oznámení od uživatele %1$s" -#: dist/converse-no-dependencies.js:44604 -#: dist/converse-no-dependencies.js:44615 -#: dist/converse-no-dependencies.js:44618 +#: dist/converse-no-dependencies.js:45204 +#: dist/converse-no-dependencies.js:45215 +#: dist/converse-no-dependencies.js:45218 #, javascript-format msgid "%1$s says" msgstr "%1$s říká" #. TODO: we should suppress notifications if we cannot decrypt #. the message... -#: dist/converse-no-dependencies.js:44627 +#: dist/converse-no-dependencies.js:45227 #, fuzzy msgid "OMEMO Message received" msgstr "Archivace zpráv" -#: dist/converse-no-dependencies.js:44654 +#: dist/converse-no-dependencies.js:45254 msgid "has gone offline" msgstr "se odpojil/a" -#: dist/converse-no-dependencies.js:44656 +#: dist/converse-no-dependencies.js:45256 msgid "has gone away" msgstr "odešel/la pryč" -#: dist/converse-no-dependencies.js:44658 +#: dist/converse-no-dependencies.js:45258 msgid "is busy" msgstr "je zaneprázdněn/a" -#: dist/converse-no-dependencies.js:44660 +#: dist/converse-no-dependencies.js:45260 msgid "has come online" msgstr "se připojil/a" -#: dist/converse-no-dependencies.js:44677 +#: dist/converse-no-dependencies.js:45277 msgid "wants to be your contact" msgstr "chce být vaším kontaktem" -#: dist/converse-no-dependencies.js:44898 +#: dist/converse-no-dependencies.js:45498 msgid "Sorry, an error occurred while trying to remove the devices." msgstr "Omlouváme se, při pokusu o odstranění zařízení se vyskytla chyba." -#: dist/converse-no-dependencies.js:45021 +#: dist/converse-no-dependencies.js:45630 msgid "Sorry, could not decrypt a received OMEMO message due to an error." msgstr "Omlouváme se, kvůli chybě nelze dešifrovat obdrženou právu OMEMO." -#: dist/converse-no-dependencies.js:45172 +#: dist/converse-no-dependencies.js:45781 msgid "" "This is an OMEMO encrypted message which your client doesn’t seem to " "support. Find more information on https://conversations.im/omemo" @@ -1023,47 +1023,47 @@ msgstr "" "Tohle je zpráva zašifrovaná pomocí OMEMO, které, jak se zdá, váš klient " "nepodporuje. Více informací najdete na https://conversations.im/omemo" -#: dist/converse-no-dependencies.js:45233 +#: dist/converse-no-dependencies.js:45842 msgid "Sorry, could not send the message due to an error." msgstr "Omlouváme se, kvůli chybě nelze odeslat zprávu." -#: dist/converse-no-dependencies.js:46171 +#: dist/converse-no-dependencies.js:46780 msgid "Your avatar image" msgstr "Váš avatarový obrázek" -#: dist/converse-no-dependencies.js:46172 +#: dist/converse-no-dependencies.js:46781 msgid "Your Profile" msgstr "Váš profil" -#: dist/converse-no-dependencies.js:46173 -#: dist/converse-no-dependencies.js:46263 -#: dist/converse-no-dependencies.js:51093 -#: dist/converse-no-dependencies.js:52260 -#: dist/converse-no-dependencies.js:53463 -#: dist/converse-no-dependencies.js:53583 +#: dist/converse-no-dependencies.js:46782 +#: dist/converse-no-dependencies.js:46872 +#: dist/converse-no-dependencies.js:51702 +#: dist/converse-no-dependencies.js:52869 +#: dist/converse-no-dependencies.js:54072 +#: dist/converse-no-dependencies.js:54192 msgid "Close" msgstr "Zavřít" -#: dist/converse-no-dependencies.js:46174 -#: dist/converse-no-dependencies.js:53507 +#: dist/converse-no-dependencies.js:46783 +#: dist/converse-no-dependencies.js:54116 msgid "Email" msgstr "E-mail" -#: dist/converse-no-dependencies.js:46175 -#: dist/converse-no-dependencies.js:53477 +#: dist/converse-no-dependencies.js:46784 +#: dist/converse-no-dependencies.js:54086 msgid "Full Name" msgstr "Celé jméno" -#: dist/converse-no-dependencies.js:46176 +#: dist/converse-no-dependencies.js:46785 msgid "XMPP Address (JID)" msgstr "XMPP adresa (JID)" -#: dist/converse-no-dependencies.js:46178 -#: dist/converse-no-dependencies.js:53517 +#: dist/converse-no-dependencies.js:46787 +#: dist/converse-no-dependencies.js:54126 msgid "Role" msgstr "Role" -#: dist/converse-no-dependencies.js:46179 +#: dist/converse-no-dependencies.js:46788 msgid "" "Use commas to separate multiple roles. Your roles are shown next to your " "name on your chat messages." @@ -1071,125 +1071,125 @@ msgstr "" "Oddělujte více rolí čárkami. Vaše role jsou zobrazeny vedle vašeho jména na " "vašich chatových zprávách." -#: dist/converse-no-dependencies.js:46180 -#: dist/converse-no-dependencies.js:53497 +#: dist/converse-no-dependencies.js:46789 +#: dist/converse-no-dependencies.js:54106 msgid "URL" msgstr "URL" -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 msgid "Sorry, an error happened while trying to save your profile data." msgstr "" "Omlouváme se, při pokusu o uložení vašich profilových dat se stala chyba." -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 msgid "You can check your browser's developer console for any error output." msgstr "" "Můžete zkontrolovat vývojářskou konzoli vašeho prohlížeče pro jakýkoliv " "chybový výstup." -#: dist/converse-no-dependencies.js:46262 -#: dist/converse-no-dependencies.js:48927 +#: dist/converse-no-dependencies.js:46871 +#: dist/converse-no-dependencies.js:49536 msgid "Away" msgstr "Pryč" -#: dist/converse-no-dependencies.js:46264 -#: dist/converse-no-dependencies.js:48926 +#: dist/converse-no-dependencies.js:46873 +#: dist/converse-no-dependencies.js:49535 msgid "Busy" msgstr "Zaneprázdněn/a" -#: dist/converse-no-dependencies.js:46266 +#: dist/converse-no-dependencies.js:46875 msgid "Custom status" msgstr "Vlastní stav" -#: dist/converse-no-dependencies.js:46267 -#: dist/converse-no-dependencies.js:48929 +#: dist/converse-no-dependencies.js:46876 +#: dist/converse-no-dependencies.js:49538 msgid "Offline" msgstr "Odpojen/a" -#: dist/converse-no-dependencies.js:46268 -#: dist/converse-no-dependencies.js:48924 +#: dist/converse-no-dependencies.js:46877 +#: dist/converse-no-dependencies.js:49533 msgid "Online" msgstr "Připojen/a" -#: dist/converse-no-dependencies.js:46270 +#: dist/converse-no-dependencies.js:46879 msgid "Away for long" msgstr "Pryč na dlouho" -#: dist/converse-no-dependencies.js:46271 +#: dist/converse-no-dependencies.js:46880 msgid "Change chat status" msgstr "Změnit chatový stav" -#: dist/converse-no-dependencies.js:46272 +#: dist/converse-no-dependencies.js:46881 msgid "Personal status message" msgstr "Osobní stavová zpráva" -#: dist/converse-no-dependencies.js:46317 +#: dist/converse-no-dependencies.js:46926 #, javascript-format msgid "I am %1$s" msgstr "Jsem %1$s" -#: dist/converse-no-dependencies.js:46320 +#: dist/converse-no-dependencies.js:46929 msgid "Change settings" msgstr "Změnit nastavení" -#: dist/converse-no-dependencies.js:46321 +#: dist/converse-no-dependencies.js:46930 msgid "Click to change your chat status" msgstr "Kliknutím změníte svůj chatový stav" -#: dist/converse-no-dependencies.js:46322 +#: dist/converse-no-dependencies.js:46931 msgid "Log out" msgstr "Odhlásit" -#: dist/converse-no-dependencies.js:46323 +#: dist/converse-no-dependencies.js:46932 msgid "Your profile" msgstr "Váš profil" -#: dist/converse-no-dependencies.js:46349 +#: dist/converse-no-dependencies.js:46958 msgid "Are you sure you want to log out?" msgstr "Opravdu se chcete odhlásit?" -#: dist/converse-no-dependencies.js:46357 -#: dist/converse-no-dependencies.js:46367 +#: dist/converse-no-dependencies.js:46966 +#: dist/converse-no-dependencies.js:46976 msgid "online" msgstr "připojen/a" -#: dist/converse-no-dependencies.js:46359 +#: dist/converse-no-dependencies.js:46968 msgid "busy" msgstr "zaneprázdněn/a" -#: dist/converse-no-dependencies.js:46361 +#: dist/converse-no-dependencies.js:46970 msgid "away for long" msgstr "pryč na dlouho" -#: dist/converse-no-dependencies.js:46363 +#: dist/converse-no-dependencies.js:46972 msgid "away" msgstr "pryč" -#: dist/converse-no-dependencies.js:46365 +#: dist/converse-no-dependencies.js:46974 msgid "offline" msgstr "odpojen/a" -#: dist/converse-no-dependencies.js:46698 +#: dist/converse-no-dependencies.js:47307 msgid " e.g. conversejs.org" msgstr " např. conversejs.org" -#: dist/converse-no-dependencies.js:46745 +#: dist/converse-no-dependencies.js:47354 msgid "Fetch registration form" msgstr "Sehnat registrační formulář" -#: dist/converse-no-dependencies.js:46746 +#: dist/converse-no-dependencies.js:47355 msgid "Tip: A list of public XMPP providers is available" msgstr "Tip: Seznam veřejných poskytovatelů XMPP je dostupný" -#: dist/converse-no-dependencies.js:46747 +#: dist/converse-no-dependencies.js:47356 msgid "here" msgstr "zde" -#: dist/converse-no-dependencies.js:46795 +#: dist/converse-no-dependencies.js:47404 msgid "Sorry, we're unable to connect to your chosen provider." msgstr "Omlouváme se, nelze se připojit k vašemu zvolenému poskytovateli." -#: dist/converse-no-dependencies.js:46811 +#: dist/converse-no-dependencies.js:47420 msgid "" "Sorry, the given provider does not support in band account registration. " "Please try with a different provider." @@ -1197,7 +1197,7 @@ msgstr "" "Omlouváme se, daný poskytovatel nepodporuje in-band registraci účtu. Prosím " "zkuste to s jiným poskytovatelem." -#: dist/converse-no-dependencies.js:46835 +#: dist/converse-no-dependencies.js:47444 #, javascript-format msgid "" "Something went wrong while establishing a connection with \"%1$s\". Are you " @@ -1206,15 +1206,15 @@ msgstr "" "Při navazování spojení s „%1$s“ se něco pokazilo. Jste si jistý/á, že " "existuje?" -#: dist/converse-no-dependencies.js:46998 +#: dist/converse-no-dependencies.js:47607 msgid "Now logging you in" msgstr "Nyní vás přihlašujeme" -#: dist/converse-no-dependencies.js:47002 +#: dist/converse-no-dependencies.js:47611 msgid "Registered successfully" msgstr "Úspěšně zaregistrováno" -#: dist/converse-no-dependencies.js:47111 +#: dist/converse-no-dependencies.js:47720 msgid "" "The provider rejected your registration attempt. Please check the values you " "entered for correctness." @@ -1222,317 +1222,317 @@ msgstr "" "Poskytovatel odmítl váš pokus o registraci. Prosím zkontrolujte hodnoty, " "které jste zadal/a, kvůli správnosti." -#: dist/converse-no-dependencies.js:47486 +#: dist/converse-no-dependencies.js:48095 msgid "Click to toggle the list of open groupchats" msgstr "Kliknutím otevřete/zavřete seznam otevřených skupinových chatů" -#: dist/converse-no-dependencies.js:47487 +#: dist/converse-no-dependencies.js:48096 msgid "Open Groupchats" msgstr "Otevřené skupinové chaty" -#: dist/converse-no-dependencies.js:47531 +#: dist/converse-no-dependencies.js:48140 #, javascript-format msgid "Are you sure you want to leave the groupchat %1$s?" msgstr "Opravdu chcete odejít ze skupinového chatu %1$s?" -#: dist/converse-no-dependencies.js:48157 +#: dist/converse-no-dependencies.js:48766 #, javascript-format msgid "Sorry, there was an error while trying to add %1$s as a contact." msgstr "" "Omlouváme se při pokusu přidat uživatele %1$s do kontaktů se stala chyba." -#: dist/converse-no-dependencies.js:48368 +#: dist/converse-no-dependencies.js:48977 msgid "This client does not allow presence subscriptions" msgstr "Tento klient nedovoluje presenční odběry" -#: dist/converse-no-dependencies.js:48478 +#: dist/converse-no-dependencies.js:49087 msgid "Click to hide these contacts" msgstr "Kliknutím skryjete tyto kontakty" -#: dist/converse-no-dependencies.js:48742 +#: dist/converse-no-dependencies.js:49351 msgid "This contact is busy" msgstr "Tento kontakt je zaneprázdněn" -#: dist/converse-no-dependencies.js:48743 +#: dist/converse-no-dependencies.js:49352 msgid "This contact is online" msgstr "Tento kontakt je připojen" -#: dist/converse-no-dependencies.js:48744 +#: dist/converse-no-dependencies.js:49353 msgid "This contact is offline" msgstr "Tento kontakt je odpojen" -#: dist/converse-no-dependencies.js:48745 +#: dist/converse-no-dependencies.js:49354 msgid "This contact is unavailable" msgstr "Tento kontakt je nedostupný" -#: dist/converse-no-dependencies.js:48746 +#: dist/converse-no-dependencies.js:49355 msgid "This contact is away for an extended period" msgstr "Tento kontakt je na delší dobu pryč" -#: dist/converse-no-dependencies.js:48747 +#: dist/converse-no-dependencies.js:49356 msgid "This contact is away" msgstr "Tento kontakt je pryč" -#: dist/converse-no-dependencies.js:48750 +#: dist/converse-no-dependencies.js:49359 msgid "Groups" msgstr "Skupiny" -#: dist/converse-no-dependencies.js:48752 +#: dist/converse-no-dependencies.js:49361 msgid "My contacts" msgstr "Moje kontakty" -#: dist/converse-no-dependencies.js:48754 +#: dist/converse-no-dependencies.js:49363 msgid "Pending contacts" msgstr "Čekající kontakty" -#: dist/converse-no-dependencies.js:48756 +#: dist/converse-no-dependencies.js:49365 msgid "Contact requests" msgstr "Požadavky o kontakt" -#: dist/converse-no-dependencies.js:48758 +#: dist/converse-no-dependencies.js:49367 msgid "Ungrouped" msgstr "Neseskupené" -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:49410 msgid "Contact name" msgstr "Jméno kontaktu" -#: dist/converse-no-dependencies.js:48804 +#: dist/converse-no-dependencies.js:49413 msgid "Add a Contact" msgstr "Přidat kontakt" -#: dist/converse-no-dependencies.js:48805 -#: dist/converse-no-dependencies.js:53483 +#: dist/converse-no-dependencies.js:49414 +#: dist/converse-no-dependencies.js:54092 msgid "XMPP Address" msgstr "XMPP adresa" -#: dist/converse-no-dependencies.js:48807 +#: dist/converse-no-dependencies.js:49416 msgid "name@example.org" msgstr "jmeno@priklad.cz" -#: dist/converse-no-dependencies.js:48808 +#: dist/converse-no-dependencies.js:49417 msgid "Add" msgstr "Přidat" -#: dist/converse-no-dependencies.js:48918 +#: dist/converse-no-dependencies.js:49527 msgid "Filter" msgstr "Filtrovat" -#: dist/converse-no-dependencies.js:48919 +#: dist/converse-no-dependencies.js:49528 msgid "Filter by contact name" msgstr "Filtrovat dle jména kontaktu" -#: dist/converse-no-dependencies.js:48920 +#: dist/converse-no-dependencies.js:49529 msgid "Filter by group name" msgstr "Filtrovat dle názvu skupiny" -#: dist/converse-no-dependencies.js:48921 +#: dist/converse-no-dependencies.js:49530 msgid "Filter by status" msgstr "Filtrovat dle stavu" -#: dist/converse-no-dependencies.js:48922 +#: dist/converse-no-dependencies.js:49531 msgid "Any" msgstr "Libovolné" -#: dist/converse-no-dependencies.js:48923 +#: dist/converse-no-dependencies.js:49532 msgid "Unread" msgstr "Nepřečtené" -#: dist/converse-no-dependencies.js:48925 +#: dist/converse-no-dependencies.js:49534 msgid "Chatty" msgstr "Hovorný/á" -#: dist/converse-no-dependencies.js:48928 +#: dist/converse-no-dependencies.js:49537 msgid "Extended Away" msgstr "Na delší dobu pryč" -#: dist/converse-no-dependencies.js:49097 -#: dist/converse-no-dependencies.js:49154 +#: dist/converse-no-dependencies.js:49706 +#: dist/converse-no-dependencies.js:49763 #, javascript-format msgid "Click to remove %1$s as a contact" msgstr "Kliknutím odstraníte uživatele %1$s z kontaktů" -#: dist/converse-no-dependencies.js:49106 +#: dist/converse-no-dependencies.js:49715 #, javascript-format msgid "Click to accept the contact request from %1$s" msgstr "Kliknutím přijmete požadavek o kontakt od uživatele %1$s" -#: dist/converse-no-dependencies.js:49107 +#: dist/converse-no-dependencies.js:49716 #, javascript-format msgid "Click to decline the contact request from %1$s" msgstr "Kliknutím odmítnete požadavek o kontakt od uživatele %1$s" -#: dist/converse-no-dependencies.js:49153 +#: dist/converse-no-dependencies.js:49762 #, javascript-format msgid "Click to chat with %1$s (JID: %2$s)" msgstr "Kliknutím začnete chatovat s uživatelem %1$s (JSD: %2$s)" -#: dist/converse-no-dependencies.js:49230 +#: dist/converse-no-dependencies.js:49839 msgid "Are you sure you want to decline this contact request?" msgstr "Opravdu chcete odmítnout tento požadavek o kontakt?" -#: dist/converse-no-dependencies.js:49499 +#: dist/converse-no-dependencies.js:50108 msgid "Contacts" msgstr "Kontakty" -#: dist/converse-no-dependencies.js:49500 +#: dist/converse-no-dependencies.js:50109 msgid "Add a contact" msgstr "Přidat kontakt" -#: dist/converse-no-dependencies.js:50959 +#: dist/converse-no-dependencies.js:51568 msgid "Name" msgstr "Jméno" -#: dist/converse-no-dependencies.js:50963 +#: dist/converse-no-dependencies.js:51572 msgid "Groupchat address (JID)" msgstr "Název skupinového chatu (JID)" -#: dist/converse-no-dependencies.js:50967 +#: dist/converse-no-dependencies.js:51576 msgid "Description" msgstr "Popis" -#: dist/converse-no-dependencies.js:50973 +#: dist/converse-no-dependencies.js:51582 msgid "Topic" msgstr "Téma" -#: dist/converse-no-dependencies.js:50977 +#: dist/converse-no-dependencies.js:51586 msgid "Topic author" msgstr "Autor tématu" -#: dist/converse-no-dependencies.js:50983 +#: dist/converse-no-dependencies.js:51592 msgid "Online users" msgstr "Připojení uživatelé" -#: dist/converse-no-dependencies.js:50987 -#: dist/converse-no-dependencies.js:51139 +#: dist/converse-no-dependencies.js:51596 +#: dist/converse-no-dependencies.js:51748 msgid "Features" msgstr "Vlastnosti" -#: dist/converse-no-dependencies.js:50991 -#: dist/converse-no-dependencies.js:51147 +#: dist/converse-no-dependencies.js:51600 +#: dist/converse-no-dependencies.js:51756 msgid "Password protected" msgstr "Ochráněno heslem" -#: dist/converse-no-dependencies.js:50993 -#: dist/converse-no-dependencies.js:51145 +#: dist/converse-no-dependencies.js:51602 +#: dist/converse-no-dependencies.js:51754 msgid "This groupchat requires a password before entry" msgstr "Tento skupinový chat vyžaduje před vstupem heslo" -#: dist/converse-no-dependencies.js:50999 +#: dist/converse-no-dependencies.js:51608 msgid "No password required" msgstr "Heslo nevyžadováno" -#: dist/converse-no-dependencies.js:51001 -#: dist/converse-no-dependencies.js:51153 +#: dist/converse-no-dependencies.js:51610 +#: dist/converse-no-dependencies.js:51762 msgid "This groupchat does not require a password upon entry" msgstr "Tento skupinový chat nevyžaduje při vstupu heslo" -#: dist/converse-no-dependencies.js:51009 -#: dist/converse-no-dependencies.js:51161 +#: dist/converse-no-dependencies.js:51618 +#: dist/converse-no-dependencies.js:51770 msgid "This groupchat is not publicly searchable" msgstr "Tento skupinový chat není veřejně vyhledávatelný" -#: dist/converse-no-dependencies.js:51017 -#: dist/converse-no-dependencies.js:51169 +#: dist/converse-no-dependencies.js:51626 +#: dist/converse-no-dependencies.js:51778 msgid "This groupchat is publicly searchable" msgstr "Tento skupinový chat je veřejně vyhledávatelný" -#: dist/converse-no-dependencies.js:51023 -#: dist/converse-no-dependencies.js:51179 +#: dist/converse-no-dependencies.js:51632 +#: dist/converse-no-dependencies.js:51788 msgid "Members only" msgstr "Pouze pro členy" -#: dist/converse-no-dependencies.js:51025 +#: dist/converse-no-dependencies.js:51634 msgid "This groupchat is restricted to members only" msgstr "Tento skupinový chat je omezen pouze na členy" -#: dist/converse-no-dependencies.js:51033 -#: dist/converse-no-dependencies.js:51185 +#: dist/converse-no-dependencies.js:51642 +#: dist/converse-no-dependencies.js:51794 msgid "Anyone can join this groupchat" msgstr "Kdokoliv se k tomuto skupinovému chatu může připojit" -#: dist/converse-no-dependencies.js:51039 -#: dist/converse-no-dependencies.js:51195 +#: dist/converse-no-dependencies.js:51648 +#: dist/converse-no-dependencies.js:51804 msgid "Persistent" msgstr "Trvalý" -#: dist/converse-no-dependencies.js:51041 -#: dist/converse-no-dependencies.js:51193 +#: dist/converse-no-dependencies.js:51650 +#: dist/converse-no-dependencies.js:51802 msgid "This groupchat persists even if it's unoccupied" msgstr "Tento skupinový chat přetrvává, i když na něm nikdo není" -#: dist/converse-no-dependencies.js:51049 -#: dist/converse-no-dependencies.js:51201 +#: dist/converse-no-dependencies.js:51658 +#: dist/converse-no-dependencies.js:51810 msgid "This groupchat will disappear once the last person leaves" msgstr "Tento skupinový chat zmizí, jakmile poslední osoba odejde" -#: dist/converse-no-dependencies.js:51055 -#: dist/converse-no-dependencies.js:51211 +#: dist/converse-no-dependencies.js:51664 +#: dist/converse-no-dependencies.js:51820 msgid "Not anonymous" msgstr "Není anonymní" -#: dist/converse-no-dependencies.js:51057 -#: dist/converse-no-dependencies.js:51209 +#: dist/converse-no-dependencies.js:51666 +#: dist/converse-no-dependencies.js:51818 msgid "All other groupchat participants can see your XMPP username" msgstr "" "Všichni ostatní účastníci skupinového chatu mohou vidět vaše XMPP " "uživatelské jméno" -#: dist/converse-no-dependencies.js:51065 -#: dist/converse-no-dependencies.js:51217 +#: dist/converse-no-dependencies.js:51674 +#: dist/converse-no-dependencies.js:51826 msgid "Only moderators can see your XMPP username" msgstr "Pouze moderátoři mohou vidět vaše XMPP uživatelské jméno" -#: dist/converse-no-dependencies.js:51073 -#: dist/converse-no-dependencies.js:51225 +#: dist/converse-no-dependencies.js:51682 +#: dist/converse-no-dependencies.js:51834 msgid "This groupchat is being moderated" msgstr "Tento skupinový chat je moderován" -#: dist/converse-no-dependencies.js:51079 -#: dist/converse-no-dependencies.js:51235 +#: dist/converse-no-dependencies.js:51688 +#: dist/converse-no-dependencies.js:51844 msgid "Not moderated" msgstr "Není moderován" -#: dist/converse-no-dependencies.js:51081 -#: dist/converse-no-dependencies.js:51233 +#: dist/converse-no-dependencies.js:51690 +#: dist/converse-no-dependencies.js:51842 msgid "This groupchat is not being moderated" msgstr "Tento skupinový chat není moderován" -#: dist/converse-no-dependencies.js:51087 -#: dist/converse-no-dependencies.js:51243 +#: dist/converse-no-dependencies.js:51696 +#: dist/converse-no-dependencies.js:51852 msgid "Message archiving" msgstr "Archivace zpráv" -#: dist/converse-no-dependencies.js:51089 -#: dist/converse-no-dependencies.js:51241 +#: dist/converse-no-dependencies.js:51698 +#: dist/converse-no-dependencies.js:51850 msgid "Messages are archived on the server" msgstr "Na tomto serveru jsou archivovány zprávy" -#: dist/converse-no-dependencies.js:51155 +#: dist/converse-no-dependencies.js:51764 msgid "No password" msgstr "Žádné heslo" -#: dist/converse-no-dependencies.js:51177 +#: dist/converse-no-dependencies.js:51786 msgid "this groupchat is restricted to members only" msgstr "tento skupinový chat je omezen pouze na členy" -#: dist/converse-no-dependencies.js:52082 +#: dist/converse-no-dependencies.js:52691 msgid "XMPP Username:" msgstr "Uživatelské jméno XMPP:" -#: dist/converse-no-dependencies.js:52088 +#: dist/converse-no-dependencies.js:52697 msgid "Password:" msgstr "Heslo:" -#: dist/converse-no-dependencies.js:52090 +#: dist/converse-no-dependencies.js:52699 msgid "password" msgstr "heslo" -#: dist/converse-no-dependencies.js:52098 +#: dist/converse-no-dependencies.js:52707 msgid "This is a trusted device" msgstr "Tohle je důvěryhodné zařízení" -#: dist/converse-no-dependencies.js:52100 +#: dist/converse-no-dependencies.js:52709 msgid "" "To improve performance, we cache your data in this browser. Uncheck this box " "if this is a public computer or if you want your data to be deleted when you " @@ -1544,143 +1544,149 @@ msgstr "" "smazána, odškrtněte toto pole. Je důležité, abyste se výslovně odhlásil/a, " "jinak nemusí být smazána všechna data v mezipaměti." -#: dist/converse-no-dependencies.js:52102 +#: dist/converse-no-dependencies.js:52711 msgid "Log in" msgstr "Přihlásit" -#: dist/converse-no-dependencies.js:52108 +#: dist/converse-no-dependencies.js:52717 msgid "Click here to log in anonymously" msgstr "Kliknutím sem se přihlásíte anonymně" -#: dist/converse-no-dependencies.js:52197 +#: dist/converse-no-dependencies.js:52806 msgid "This message has been edited" msgstr "Tahle zpráva byla upravena" -#: dist/converse-no-dependencies.js:52223 +#: dist/converse-no-dependencies.js:52832 msgid "Edit this message" msgstr "Upravit tuto zprávu" -#: dist/converse-no-dependencies.js:52248 +#: dist/converse-no-dependencies.js:52857 msgid "Message versions" msgstr "Verze zprávy" -#: dist/converse-no-dependencies.js:52473 +#: dist/converse-no-dependencies.js:53082 msgid "Save and close" msgstr "Uložit a zavřít" -#: dist/converse-no-dependencies.js:52477 +#: dist/converse-no-dependencies.js:53086 msgid "This device's OMEMO fingerprint" msgstr "Otisk OMEMO tohoto zařízení" -#: dist/converse-no-dependencies.js:52489 +#: dist/converse-no-dependencies.js:53098 msgid "Select all" msgstr "Vybrat vše" -#: dist/converse-no-dependencies.js:52491 +#: dist/converse-no-dependencies.js:53100 msgid "Checkbox to select fingerprints of all other OMEMO devices" msgstr "Zaškrtnutím políček vyberete otisky všech ostatních zařízení OMEMO" -#: dist/converse-no-dependencies.js:52493 +#: dist/converse-no-dependencies.js:53102 msgid "Other OMEMO-enabled devices" msgstr "Další zařízení s podporou OMEMO" -#: dist/converse-no-dependencies.js:52501 -#: dist/converse-no-dependencies.js:52509 +#: dist/converse-no-dependencies.js:53110 +#: dist/converse-no-dependencies.js:53118 msgid "Checkbox for selecting the following fingerprint" msgstr "Zaškrtnutím políčka vyberete následující otisk" -#: dist/converse-no-dependencies.js:52511 +#: dist/converse-no-dependencies.js:53120 msgid "Device without a fingerprint" msgstr "Zařízení bez otisku" -#: dist/converse-no-dependencies.js:52517 +#: dist/converse-no-dependencies.js:53126 msgid "Remove checked devices and close" msgstr "Odstranit zaškrtnutá zařízení a zavřít" -#: dist/converse-no-dependencies.js:52599 +#: dist/converse-no-dependencies.js:53208 msgid "Don't have a chat account?" msgstr "Nemáte chatovací účet?" -#: dist/converse-no-dependencies.js:52601 +#: dist/converse-no-dependencies.js:53210 msgid "Create an account" msgstr "Vytvořte si účet" -#: dist/converse-no-dependencies.js:52622 +#: dist/converse-no-dependencies.js:53231 msgid "Create your account" msgstr "Vytvořit svůj účet" -#: dist/converse-no-dependencies.js:52624 +#: dist/converse-no-dependencies.js:53233 msgid "Please enter the XMPP provider to register with:" msgstr "Prosím zadejte poskytovatele XMPP, se kterým se chcete registrovat:" -#: dist/converse-no-dependencies.js:52644 +#: dist/converse-no-dependencies.js:53253 msgid "Already have a chat account?" msgstr "Již máte chatovací účet?" -#: dist/converse-no-dependencies.js:52646 +#: dist/converse-no-dependencies.js:53255 msgid "Log in here" msgstr "Přihlaste se zde" -#: dist/converse-no-dependencies.js:52667 +#: dist/converse-no-dependencies.js:53276 msgid "Account Registration:" msgstr "Registrace účtu:" -#: dist/converse-no-dependencies.js:52675 +#: dist/converse-no-dependencies.js:53284 msgid "Register" msgstr "Registrovat" -#: dist/converse-no-dependencies.js:52679 +#: dist/converse-no-dependencies.js:53288 msgid "Choose a different provider" msgstr "Vybrat jiného poskytovatele" -#: dist/converse-no-dependencies.js:52700 +#: dist/converse-no-dependencies.js:53309 msgid "Hold tight, we're fetching the registration form…" msgstr "Vydržte, sháníte registrační formulář…" -#: dist/converse-no-dependencies.js:53415 +#: dist/converse-no-dependencies.js:54024 msgid "Messages are being sent in plaintext" msgstr "Zprávy jsou odesílány v prostém textu" -#: dist/converse-no-dependencies.js:53467 +#: dist/converse-no-dependencies.js:54076 msgid "The User's Profile Image" msgstr "Profilový obrázek uživatele" -#: dist/converse-no-dependencies.js:53525 +#: dist/converse-no-dependencies.js:54134 msgid "OMEMO Fingerprints" msgstr "Otisky OMEMO" -#: dist/converse-no-dependencies.js:53549 +#: dist/converse-no-dependencies.js:54158 msgid "Trusted" msgstr "Důvěryhodné" -#: dist/converse-no-dependencies.js:53563 +#: dist/converse-no-dependencies.js:54172 msgid "Untrusted" msgstr "Nedůvěryhodné" -#: dist/converse-no-dependencies.js:53577 +#: dist/converse-no-dependencies.js:54186 msgid "Remove as contact" msgstr "Odstranit z kontaktů" -#: dist/converse-no-dependencies.js:53581 +#: dist/converse-no-dependencies.js:54190 msgid "Refresh" msgstr "Obnovit" -#: dist/converse-no-dependencies.js:53950 -#: dist/converse-no-dependencies.js:53981 +#: dist/converse-no-dependencies.js:54559 msgid "Download" msgstr "Stáhnout" -#: dist/converse-no-dependencies.js:53970 -#, javascript-format -msgid "Download \"%1$s\"" +#: dist/converse-no-dependencies.js:54579 +#, fuzzy, javascript-format +msgid "Download file \"%1$s\"" msgstr "Stáhnout „%1$s“" -#: dist/converse-no-dependencies.js:53994 -msgid "Download video file" +#: dist/converse-no-dependencies.js:54591 +#, fuzzy, javascript-format +msgid "Download image \"%1$s\"" +msgstr "Stáhnout „%1$s“" + +#: dist/converse-no-dependencies.js:54604 +#, fuzzy, javascript-format +msgid "Download video file \"%1$s\"" msgstr "Stáhnout videosoubor" -#: dist/converse-no-dependencies.js:54007 -msgid "Download audio file" +#: dist/converse-no-dependencies.js:54617 +#, fuzzy, javascript-format +msgid "Download audio file \"%1$s\"" msgstr "Stáhnout audiosoubor" #~ msgid "Jabber ID" diff --git a/locale/de/LC_MESSAGES/converse.json b/locale/de/LC_MESSAGES/converse.json index bb037fa6e..2e80764a8 100644 --- a/locale/de/LC_MESSAGES/converse.json +++ b/locale/de/LC_MESSAGES/converse.json @@ -1 +1 @@ -{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n != 1;","lang":"de"},"Bookmark this groupchat":["Diesen Raum als Lesezeichen speichern"],"The name for this bookmark:":["Name des Lesezeichens:"],"Would you like this groupchat to be automatically joined upon startup?":["Beim Anmelden diesen Raum automatisch betreten?"],"What should your nickname for this groupchat be?":["Welcher Spitzname soll in diesem Raum verwendet werden?"],"Save":["Speichern"],"Cancel":["Abbrechen"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Möchten Sie das Lesezeichen „%1$s” wirklich löschen?"],"Error":["Fehler"],"Sorry, something went wrong while trying to save your bookmark.":["Leider konnte das Lesezeichen nicht gespeichert werden."],"Leave this groupchat":["Diesen Raum verlassen"],"Remove this bookmark":["Dieses Lesezeichen entfernen"],"Unbookmark this groupchat":["Lesezeichen für diesen Raum entfernen"],"Show more information on this groupchat":["Zeige mehr Informationen über diesen Raum"],"Click to open this groupchat":["Hier klicken, um diesen Raum zu öffnen"],"Click to toggle the bookmarks list":["Liste der Lesezeichen umschalten"],"Bookmarks":["Lesezeichen"],"Sorry, could not determine file upload URL.":["Die URL für das Hochladen der Datei konnte nicht ermittelt werden."],"Sorry, could not determine upload URL.":["Die URL für das Hochladen der Datei konnte nicht ermittelt werden."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Die Datei konnte nicht hochgeladen werden. Der Server antwortete: \"%1$s1\""],"Sorry, could not succesfully upload your file.":["Konnte die Datei leider nicht erfolgreich hochladen."],"Sorry, looks like file upload is not supported by your server.":["Scheint als würde das Hochladen von Dateien auf dem Server nicht unterstützt."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["Die Größe deiner Datei, %1$s1, überschreitet das erlaubte Maximum vom Server, welches bei %2$s2 liegt."],"Sorry, an error occurred:":["Es ist leider ein Fehler aufgetreten:"],"Close this chat box":["Dieses Chat-Fenster schließen"],"Are you sure you want to remove this contact?":["Möchten Sie diesen Kontakt wirklich entfernen?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Leider gab es einen Fehler beim Versuch, %1$s als Kontakt zu entfernen."],"You have unread messages":["Sie haben ungelesene Nachrichten"],"Hidden message":["Versteckte Nachricht"],"Message":["Nachricht"],"Send":["Senden"],"Optional hint":["Optionaler Hinweis"],"Choose a file to send":["Datei versenden"],"Click to write as a normal (non-spoiler) message":["Hier klicken, um Statusnachricht zu ändern (ohne Spoiler)"],"Click to write your message as a spoiler":["Hier klicken, um die Nachricht als Spoiler zu kennzeichnen"],"Clear all messages":["Alle Nachrichten löschen"],"Insert emojis":["Emojis einfügen"],"Start a call":["Beginne eine Unterhaltung"],"Remove messages":["Nachrichten entfernen"],"Write in the third person":["In der dritten Person schreiben"],"Show this menu":["Dieses Menü anzeigen"],"Are you sure you want to clear the messages from this conversation?":["Sind Sie sicher, dass Sie alle Nachrichten dieses Chats löschen möchten?"],"%1$s has gone offline":["%1$s1 hat sich abgemeldet"],"%1$s has gone away":["%1$s1 ist jetzt abwesend"],"%1$s is busy":["%1$s1 ist beschäftigt"],"%1$s is online":["%1$s1 ist jetzt online"],"Username":["Benutzername"],"user@domain":["user@domain"],"Please enter a valid XMPP address":["Bitte eine gültige XMPP/Jabber-ID eingeben"],"Chat Contacts":["Kontakte"],"Toggle chat":["Chat ein-/ausblenden"],"The connection has dropped, attempting to reconnect.":["Die Verbindung ist abgebrochen und es wird versucht, die Verbindung wiederherzustellen."],"An error occurred while connecting to the chat server.":["Beim Verbinden mit dem Chatserver ist ein Fehler aufgetreten."],"Your Jabber ID and/or password is incorrect. Please try again.":["Ihre Jabber-ID und/oder Ihr Passwort ist falsch. Bitte versuchen Sie es erneut."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Leider konnten wir keine Verbindung zum XMPP-Host mit der Domain „%1$s” herstellen"],"The XMPP server did not offer a supported authentication mechanism":["Der XMPP-Server hat keinen unterstützten Authentifizierungsmechanismus angeboten"],"Show more":["Mehr anzeigen"],"Typing from another device":["Schreibt von einem anderen Gerät"],"%1$s is typing":["%1$s schreibt …"],"Stopped typing on the other device":["Schreibt nicht mehr auf dem anderen Gerät"],"%1$s has stopped typing":["%1$s1 tippt nicht mehr"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Minimiere dieses Gesprächsfenster"],"Click to restore this chat":["Hier klicken, um diesen Chat wiederherzustellen"],"Minimized":["Minimiert"],"This groupchat is not anonymous":["Dieser Raum ist nicht anonym"],"This groupchat now shows unavailable members":["Dieser Raum zeigt jetzt nicht verfügbare Mitglieder an"],"This groupchat does not show unavailable members":["In diesem Raum werden keine nicht verfügbaren Mitglieder angezeigt"],"The groupchat configuration has changed":["Die Raumkonfiguration hat sich geändert"],"groupchat logging is now enabled":["Nachrichten in diesem Raum werden ab jetzt protokolliert"],"groupchat logging is now disabled":["Nachrichten in diesem Raum werden nicht mehr protokolliert"],"This groupchat is now no longer anonymous":["Dieses Raum ist jetzt nicht mehr anonym"],"This groupchat is now semi-anonymous":["Dieser Raum ist jetzt nur teilweise anonym"],"This groupchat is now fully-anonymous":["Dieser Raum ist jetzt vollständig anonym"],"A new groupchat has been created":["Ein neuer Raum wurde erstellt"],"You have been banned from this groupchat":["Sie wurden aus diesem Raum verbannt"],"You have been kicked from this groupchat":["Sie wurden aus diesem Raum hinausgeworfen"],"You have been removed from this groupchat because of an affiliation change":["Sie wurden wegen einer Zugehörigkeitsänderung entfernt"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Sie wurden aus diesem Raum ausgeschlossen, da der Raum jetzt nur noch Mitglieder erlaubt und Sie kein Mitglied sind"],"%1$s has been banned":["%1$s wurde verbannt"],"%1$s's nickname has changed":["Der Spitzname von %1$s hat sich geändert"],"%1$s has been kicked out":["%1$s wurde hinausgeworfen"],"%1$s has been removed because of an affiliation change":["%1$s wurde wegen einer Zugehörigkeitsänderung entfernt"],"%1$s has been removed for not being a member":["%1$s ist kein Mitglied und wurde daher entfernt"],"Your nickname has been automatically set to %1$s":["Ihr Spitzname wurde automatisch geändert zu: %1$s"],"Your nickname has been changed to %1$s":["Ihr Spitzname wurde geändert zu: %1$s"],"Description:":["Beschreibung:"],"Groupchat Address (JID):":["XMPP/Jabber-ID (JID) dieses Raumes:"],"Participants:":["Teilnehmer:"],"Features:":["Funktionen:"],"Requires authentication":["Authentifizierung erforderlich"],"Hidden":["Ausblenden"],"Requires an invitation":["Einladung erforderlich"],"Moderated":["Moderiert"],"Non-anonymous":["Nicht anonym"],"Open":["Offen"],"Permanent":["Dauerhafter Raum"],"Public":["Öffentlich"],"Semi-anonymous":["Teilweise anonym"],"Temporary":["Vorübergehend"],"Unmoderated":["Nicht moderiert"],"Query for Groupchats":["Benutzer aus dem Raum verbannen"],"Server address":["Server"],"Show groupchats":["Gruppen"],"conference.example.org":["z.B. conference.example.tld"],"No groupchats found":["Keine Räume gefunden"],"Enter a new Groupchat":["Raum betreten"],"Groupchat address":["XMPP/Jabber-ID (JID) dieses Raumes"],"Optional nickname":["Optionaler Spitzname"],"name@conference.example.org":["name@conference.beispiel.tld"],"Join":["Betreten"],"Groupchat info for %1$s":["Benachrichtigung für %1$s"],"%1$s is no longer a moderator":["%1$s ist kein Moderator mehr"],"%1$s has been given a voice again":["%1$s darf nun wieder schreiben"],"%1$s has been muted":["%1$s wurde das Schreibrecht entzogen"],"%1$s is now a moderator":["%1$s ist jetzt ein Moderator"],"Close and leave this groupchat":["Schließen und diesen Raum verlassen"],"Configure this groupchat":["Einstellungsänderungen an diesem Raum vornehmen"],"Show more details about this groupchat":["Mehr Information über diesen Raum anzeigen"],"Hide the list of participants":["Teilnehmerliste ausblenden"],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Fehler: Das „%1$s”-Kommando benötigt zwei Argumente: Den Benutzernamen und einen Grund."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Leider ist ein Fehler während dem Ausführen des Kommandos aufgetreten. Überprüfe die Entwicklerkonsole des Browsers."],"Change user's affiliation to admin":["Zugehörigkeit des Benutzers zu Administrator ändern"],"Ban user from groupchat":["Benutzer aus dem Raum verbannen"],"Change user role to participant":["Rolle zu Teilnehmer ändern"],"Kick user from groupchat":["Benutzer aus dem Raum hinauswerfen"],"Write in 3rd person":["In der dritten Person schreiben"],"Grant membership to a user":["Einem Benutzer die Mitgliedschaft gewähren"],"Remove user's ability to post messages":["Die Möglichkeit des Benutzers, Nachrichten zu senden, entfernen"],"Change your nickname":["Eigenen Spitznamen ändern"],"Grant moderator role to user":["Benutzer Moderatorrechte gewähren"],"Grant ownership of this groupchat":["Besitzrechte an diesem Raum vergeben"],"Revoke user's membership":["Mitgliedschaft des Benutzers widerrufen"],"Set groupchat subject":["Thema des Chatraums festlegen"],"Set groupchat subject (alias for /subject)":["Raumthema (alias für /subject) festlegen"],"Allow muted user to post messages":["Stummgeschaltetem Benutzer erlauben Nachrichten zu senden"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Der gewählte Spitzname ist reserviert oder derzeit in Gebrauch. Bitte wähle einen Anderen."],"Please choose your nickname":["Wählen Sie Ihren Spitznamen"],"Nickname":["Spitzname"],"Enter groupchat":["Raum betreten"],"This groupchat requires a password":["Dieser Raum erfordert ein Passwort"],"Password: ":["Passwort: "],"Submit":["Senden"],"This action was done by %1$s.":["Diese Aktion wurde durch %1$s ausgeführt."],"The reason given is: \"%1$s\".":["Angegebene Grund: „%1$s”"],"%1$s has left and re-entered the groupchat":["%1$s hat den Raum erneut betreten"],"%1$s has entered the groupchat":["%1$s hat den Raum betreten"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s hat den Raum betreten. „%2$s”"],"%1$s has entered and left the groupchat":["%1$s hat den Raum wieder verlassen"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s hat den Raum wieder verlassen. „%2$s”"],"%1$s has left the groupchat":["%1$s hat den Raum verlassen"],"%1$s has left the groupchat. \"%2$s\"":["%1$s hat den Raum verlassen. „%2$s”"],"You are not on the member list of this groupchat.":["Sie sind nicht auf der Mitgliederliste dieses Raums."],"You have been banned from this groupchat.":["Sie wurden aus diesem Raum verbannt."],"No nickname was specified.":["Kein Spitzname festgelegt."],"You are not allowed to create new groupchats.":["Es ist Ihnen nicht erlaubt neue Räume anzulegen."],"Your nickname doesn't conform to this groupchat's policies.":["Ihr Spitzname entspricht nicht den Richtlinien dieses Raumes."],"This groupchat does not (yet) exist.":["Dieser Raum existiert (noch) nicht."],"This groupchat has reached its maximum number of participants.":["Maximale Anzahl an Teilnehmern für diesen Raum erreicht."],"Remote server not found":["Server wurde nicht gefunden"],"The explanation given is: \"%1$s\".":["Angegebene Grund: „%1$s”."],"Topic set by %1$s":["Das Thema wurde von %1$s gesetzt"],"Groupchats":["Gruppenchat"],"Add a new groupchat":["Neuen Gruppenchat hinzufügen"],"Query for groupchats":["Gruppenchats abfragen"],"Click to mention %1$s in your message.":["Klicken Sie hier, um %1$s in Ihrer Nachricht zu erwähnen."],"This user is a moderator.":["Dieser Benutzer ist ein Moderator."],"This user can send messages in this groupchat.":["Dieser Benutzer kann Nachrichten in diesem Raum senden."],"This user can NOT send messages in this groupchat.":["Dieser Benutzer kann keine Nachrichten in diesem Raum senden."],"Moderator":["Moderator"],"Visitor":["Besucher"],"Owner":["Eigentümer"],"Member":["Mitglieder"],"Admin":["Administrator"],"Participants":["Teilnehmer"],"Invite":["Einladen"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":["Sie sind dabei, %1$s in den Chatraum „%2$s” einzuladen. Optional können Sie eine Nachricht anfügen, in der Sie den Grund für die Einladung erläutern."],"Please enter a valid XMPP username":["Bitte eine gültige XMPP/Jabber-ID angeben"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["%1$s hat Sie in den Raum „%2$s” eingeladen"],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":["%1$s hat Sie in den Raum „%2$s” eingeladen. Begründung: „%3$s”"],"Notification from %1$s":["Benachrichtigung von %1$s"],"%1$s says":["%1$s sagt"],"has gone offline":["hat sich abgemeldet"],"has gone away":["ist jetzt abwesend"],"is busy":["ist beschäftigt"],"has come online":["kam online"],"wants to be your contact":["möchte Ihr Kontakt sein"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Your avatar image":["Dein Avatarbild"],"Your Profile":["Dein Profil"],"Close":["Schließen"],"Email":["E-Mail"],"Full Name":["Name"],"XMPP Address (JID)":["XMPP/Jabber-ID (JID)"],"Role":["Rolle"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Benutze Kommas um die Rollen zu separieren. Die Rollen erscheinen neben deinem Namen."],"URL":["URL"],"Sorry, an error happened while trying to save your profile data.":["Leider konnte das Lesezeichen nicht gespeichert werden."],"You can check your browser's developer console for any error output.":["Schau in die Entwicklerkonsole des Browsers um mögliche Fehlerausgaben zu sehen."],"Away":["Abwesend"],"Busy":["Beschäftigt"],"Custom status":["Statusnachricht"],"Offline":["Abgemeldet"],"Online":["Online"],"Away for long":["länger abwesend"],"Change chat status":["Hier klicken, um Ihren Status zu ändern"],"Personal status message":["Persönliche Nachricht"],"I am %1$s":["Ich bin %1$s"],"Change settings":["Einstellungen ändern"],"Click to change your chat status":["Hier klicken, um Ihren Status zu ändern"],"Log out":["Abmelden"],"Your profile":["Dein Profil"],"Are you sure you want to log out?":["Möchten Sie sich wirklich abmelden?"],"online":["online"],"busy":["beschäftigt"],"away for long":["länger abwesend"],"away":["abwesend"],"offline":["abgemeldet"]," e.g. conversejs.org":[" z. B. conversejs.org"],"Fetch registration form":["Anmeldeformular wird abgerufen"],"Tip: A list of public XMPP providers is available":["Tipp: Eine Liste öffentlicher Provider ist verfügbar"],"here":["hier"],"Sorry, we're unable to connect to your chosen provider.":["Leider können wir keine Verbindung zu dem von Ihnen gewählten Provider herstellen."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Entschuldigung: Dieser Provider erlaubt keine direkte Benutzer- Registrierung. Versuchen Sie einen anderen Provider oder erstellen Sie einen Zugang beim Provider direkt."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Die Verbindung zu „%1$s” konnte nicht hergestellt werden. Sind Sie sicher, dass „%1$s” existiert?"],"Now logging you in":["Sie werden angemeldet"],"Registered successfully":["Registrierung erfolgreich"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Der Provider hat die Registrierung abgelehnt. Bitte überprüfen Sie Ihre Angaben auf Richtigkeit."],"Click to toggle the list of open groupchats":["Gruppenteilnehmer anzeigen"],"Open Groupchats":["Öffne Gruppenchats"],"Are you sure you want to leave the groupchat %1$s?":["Möchten Sie den Raum „%1$s” wirklich verlassen?"],"Sorry, there was an error while trying to add %1$s as a contact.":["Leider gab es einen Fehler beim Versuch, %1$s als Kontakt hinzuzufügen."],"This client does not allow presence subscriptions":["Dieser Client erlaubt keine Anwesenheitsabonnements"],"Click to hide these contacts":["Hier klicken, um diese Kontakte auszublenden"],"This contact is busy":["Dieser Kontakt ist beschäftigt"],"This contact is online":["Dieser Kontakt ist online"],"This contact is offline":["Dieser Kontakt ist offline"],"This contact is unavailable":["Dieser Kontakt ist nicht verfügbar"],"This contact is away for an extended period":["Dieser Kontakt ist für längere Zeit abwesend"],"This contact is away":["Dieser Kontakt ist abwesend"],"Groups":["Gruppen"],"My contacts":["Meine Kontakte"],"Pending contacts":["Unbestätigte Kontakte"],"Contact requests":["Kontaktanfragen"],"Ungrouped":["Ungruppiert"],"Contact name":["Name des Kontakts"],"Add a Contact":["Kontakt hinzufügen"],"XMPP Address":["XMPP Adresse"],"name@example.org":["z.B. benutzer@example.tld"],"Add":["Hinzufügen"],"Filter":["Filter"],"Filter by contact name":["Name des Kontakts"],"Filter by group name":["Suche per Gruppenname"],"Filter by status":["Suche via Status"],"Any":["Jeder"],"Unread":["Ungelesen"],"Chatty":["Gesprächsbereit"],"Extended Away":["Länger nicht anwesend"],"Click to remove %1$s as a contact":["Hier klicken, um %1$s als Kontakt zu entfernen"],"Click to accept the contact request from %1$s":["Hier klicken, um die Kontaktanfrage von %1$s zu akzeptieren"],"Click to decline the contact request from %1$s":["Hier klicken, um die Kontaktanfrage von %1$s abzulehnen"],"Click to chat with %1$s (JID: %2$s)":["Hier klicken, um mit %1$s (JID: %2$s) eine Unterhaltung zu beginnen"],"Are you sure you want to decline this contact request?":["Möchten Sie diese Kontaktanfrage wirklich ablehnen?"],"Contacts":["Kontakte"],"Add a contact":["Kontakt hinzufügen"],"Name":["Name"],"Groupchat address (JID)":["Raumadresse (JID)"],"Description":["Beschreibung"],"Topic":["Thema"],"Topic author":["Author des Themas"],"Online users":["Online"],"Features":["Funktionen"],"Password protected":["Passwortgeschützt"],"This groupchat requires a password before entry":["Dieser Raum erfordert ein Passwort"],"No password required":["Kein Passwort benötigt"],"This groupchat does not require a password upon entry":["Dieser Raum erfordert kein Passwort"],"This groupchat is not publicly searchable":["Dieser Raum ist nicht öffentlich auffindbar"],"This groupchat is publicly searchable":["Dieser Raum ist öffentlich auffindbar"],"Members only":["Nur Mitglieder"],"This groupchat is restricted to members only":["Dieser Raum ist nur für Mitglieder zugänglich"],"Anyone can join this groupchat":["Jeder kann diesen Raum betreten"],"Persistent":["Dauerhaft"],"This groupchat persists even if it's unoccupied":["Dieser Raum bleibt bestehen, auch wenn er nicht besetzt ist"],"This groupchat will disappear once the last person leaves":["Dieser Raum verschwindet, sobald die letzte Person den Raum verlässt"],"Not anonymous":["Nicht anonym"],"All other groupchat participants can see your XMPP username":["Jeder in dem Raum kann deine XMPP/Jabber-ID sehen"],"Only moderators can see your XMPP username":["Nur Moderatoren können deine XMPP/Jabber-ID sehen"],"This groupchat is being moderated":["Dieser Raum ist moderiert"],"Not moderated":["Nicht moderiert"],"This groupchat is not being moderated":["Dieser Raum wird nicht moderiert"],"Message archiving":["Nachrichtenarchivierung"],"Messages are archived on the server":["Nachrichten werden auf dem Server archiviert"],"No password":["Kein Passwort"],"this groupchat is restricted to members only":["Dieser Raum ist nur für Mitglieder zugänglich"],"XMPP Username:":["XMPP Benutzername:"],"Password:":["Passwort:"],"password":["passwort"],"This is a trusted device":["Diesem Gerät wird vertraut"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["Um die Performanz zu verbessern, werden Daten im Browser zwischengespeichert. Entkreuze diese Box, wenn du an einem öffentlichen PC bist oder du die Daten löschen willst, sobald du dich ausloggst. Es ist wichtig, dass du dich expilzit ausloggst, ansonsten werden die gespeicherten Daten möglicherweise nicht gelöscht."],"Log in":["Anmelden"],"Click here to log in anonymously":["Hier klicken, um sich anonym anzumelden"],"This message has been edited":["Diese Nachricht wurde geändert"],"Edit this message":["Nachricht bearbeiten"],"Message versions":["Nachrichtenarchivierung"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Sie haben noch kein Chat-Konto?"],"Create an account":["Konto erstellen"],"Create your account":["Erstellen Sie Ihr Konto"],"Please enter the XMPP provider to register with:":["Bitte geben Sie den XMPP-Provider ein, bei dem Sie sich anmelden möchten:"],"Already have a chat account?":["Sie haben bereits ein Chat-Konto?"],"Log in here":["Hier anmelden"],"Account Registration:":["Konto-Registrierung:"],"Register":["Registrierung"],"Choose a different provider":["Wählen Sie einen anderen Anbieter"],"Hold tight, we're fetching the registration form…":["Bitte warten, das Anmeldeformular wird geladen …"],"Messages are being sent in plaintext":[""],"The User's Profile Image":["Benutzerprofilbild"],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Remove as contact":["Kontakt entfernen"],"Refresh":["Aktualisieren"],"Download":["Herunterladen"],"Download \"%1$s\"":["Lade \"%1$s\""],"Download video file":["Video Datei Herunterladen"],"Download audio file":["Lade Audiodatei herunter"]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n != 1;","lang":"de"},"Bookmark this groupchat":["Diesen Raum als Lesezeichen speichern"],"The name for this bookmark:":["Name des Lesezeichens:"],"Would you like this groupchat to be automatically joined upon startup?":["Beim Anmelden diesen Raum automatisch betreten?"],"What should your nickname for this groupchat be?":["Welcher Spitzname soll in diesem Raum verwendet werden?"],"Save":["Speichern"],"Cancel":["Abbrechen"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Möchten Sie das Lesezeichen „%1$s” wirklich löschen?"],"Error":["Fehler"],"Sorry, something went wrong while trying to save your bookmark.":["Leider konnte das Lesezeichen nicht gespeichert werden."],"Leave this groupchat":["Diesen Raum verlassen"],"Remove this bookmark":["Dieses Lesezeichen entfernen"],"Unbookmark this groupchat":["Lesezeichen für diesen Raum entfernen"],"Show more information on this groupchat":["Zeige mehr Informationen über diesen Raum"],"Click to open this groupchat":["Hier klicken, um diesen Raum zu öffnen"],"Click to toggle the bookmarks list":["Liste der Lesezeichen umschalten"],"Bookmarks":["Lesezeichen"],"Sorry, could not determine file upload URL.":["Die URL für das Hochladen der Datei konnte nicht ermittelt werden."],"Sorry, could not determine upload URL.":["Die URL für das Hochladen der Datei konnte nicht ermittelt werden."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Die Datei konnte nicht hochgeladen werden. Der Server antwortete: \"%1$s1\""],"Sorry, could not succesfully upload your file.":["Konnte die Datei leider nicht erfolgreich hochladen."],"Sorry, looks like file upload is not supported by your server.":["Scheint als würde das Hochladen von Dateien auf dem Server nicht unterstützt."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["Die Größe deiner Datei, %1$s1, überschreitet das erlaubte Maximum vom Server, welches bei %2$s2 liegt."],"Sorry, an error occurred:":["Es ist leider ein Fehler aufgetreten:"],"Close this chat box":["Dieses Chat-Fenster schließen"],"Are you sure you want to remove this contact?":["Möchten Sie diesen Kontakt wirklich entfernen?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Leider gab es einen Fehler beim Versuch, %1$s als Kontakt zu entfernen."],"You have unread messages":["Sie haben ungelesene Nachrichten"],"Hidden message":["Versteckte Nachricht"],"Message":["Nachricht"],"Send":["Senden"],"Optional hint":["Optionaler Hinweis"],"Choose a file to send":["Datei versenden"],"Click to write as a normal (non-spoiler) message":["Hier klicken, um Statusnachricht zu ändern (ohne Spoiler)"],"Click to write your message as a spoiler":["Hier klicken, um die Nachricht als Spoiler zu kennzeichnen"],"Clear all messages":["Alle Nachrichten löschen"],"Insert emojis":["Emojis einfügen"],"Start a call":["Beginne eine Unterhaltung"],"Remove messages":["Nachrichten entfernen"],"Write in the third person":["In der dritten Person schreiben"],"Show this menu":["Dieses Menü anzeigen"],"Are you sure you want to clear the messages from this conversation?":["Sind Sie sicher, dass Sie alle Nachrichten dieses Chats löschen möchten?"],"%1$s has gone offline":["%1$s1 hat sich abgemeldet"],"%1$s has gone away":["%1$s1 ist jetzt abwesend"],"%1$s is busy":["%1$s1 ist beschäftigt"],"%1$s is online":["%1$s1 ist jetzt online"],"Username":["Benutzername"],"user@domain":["user@domain"],"Please enter a valid XMPP address":["Bitte eine gültige XMPP/Jabber-ID eingeben"],"Chat Contacts":["Kontakte"],"Toggle chat":["Chat ein-/ausblenden"],"The connection has dropped, attempting to reconnect.":["Die Verbindung ist abgebrochen und es wird versucht, die Verbindung wiederherzustellen."],"An error occurred while connecting to the chat server.":["Beim Verbinden mit dem Chatserver ist ein Fehler aufgetreten."],"Your Jabber ID and/or password is incorrect. Please try again.":["Ihre Jabber-ID und/oder Ihr Passwort ist falsch. Bitte versuchen Sie es erneut."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Leider konnten wir keine Verbindung zum XMPP-Host mit der Domain „%1$s” herstellen"],"The XMPP server did not offer a supported authentication mechanism":["Der XMPP-Server hat keinen unterstützten Authentifizierungsmechanismus angeboten"],"Show more":["Mehr anzeigen"],"Typing from another device":["Schreibt von einem anderen Gerät"],"%1$s is typing":["%1$s schreibt …"],"Stopped typing on the other device":["Schreibt nicht mehr auf dem anderen Gerät"],"%1$s has stopped typing":["%1$s1 tippt nicht mehr"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Minimiere dieses Gesprächsfenster"],"Click to restore this chat":["Hier klicken, um diesen Chat wiederherzustellen"],"Minimized":["Minimiert"],"This groupchat is not anonymous":["Dieser Raum ist nicht anonym"],"This groupchat now shows unavailable members":["Dieser Raum zeigt jetzt nicht verfügbare Mitglieder an"],"This groupchat does not show unavailable members":["In diesem Raum werden keine nicht verfügbaren Mitglieder angezeigt"],"The groupchat configuration has changed":["Die Raumkonfiguration hat sich geändert"],"groupchat logging is now enabled":["Nachrichten in diesem Raum werden ab jetzt protokolliert"],"groupchat logging is now disabled":["Nachrichten in diesem Raum werden nicht mehr protokolliert"],"This groupchat is now no longer anonymous":["Dieses Raum ist jetzt nicht mehr anonym"],"This groupchat is now semi-anonymous":["Dieser Raum ist jetzt nur teilweise anonym"],"This groupchat is now fully-anonymous":["Dieser Raum ist jetzt vollständig anonym"],"A new groupchat has been created":["Ein neuer Raum wurde erstellt"],"You have been banned from this groupchat":["Sie wurden aus diesem Raum verbannt"],"You have been kicked from this groupchat":["Sie wurden aus diesem Raum hinausgeworfen"],"You have been removed from this groupchat because of an affiliation change":["Sie wurden wegen einer Zugehörigkeitsänderung entfernt"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Sie wurden aus diesem Raum ausgeschlossen, da der Raum jetzt nur noch Mitglieder erlaubt und Sie kein Mitglied sind"],"%1$s has been banned":["%1$s wurde verbannt"],"%1$s's nickname has changed":["Der Spitzname von %1$s hat sich geändert"],"%1$s has been kicked out":["%1$s wurde hinausgeworfen"],"%1$s has been removed because of an affiliation change":["%1$s wurde wegen einer Zugehörigkeitsänderung entfernt"],"%1$s has been removed for not being a member":["%1$s ist kein Mitglied und wurde daher entfernt"],"Your nickname has been automatically set to %1$s":["Ihr Spitzname wurde automatisch geändert zu: %1$s"],"Your nickname has been changed to %1$s":["Ihr Spitzname wurde geändert zu: %1$s"],"Description:":["Beschreibung:"],"Groupchat Address (JID):":["XMPP/Jabber-ID (JID) dieses Raumes:"],"Participants:":["Teilnehmer:"],"Features:":["Funktionen:"],"Requires authentication":["Authentifizierung erforderlich"],"Hidden":["Ausblenden"],"Requires an invitation":["Einladung erforderlich"],"Moderated":["Moderiert"],"Non-anonymous":["Nicht anonym"],"Open":["Offen"],"Permanent":["Dauerhafter Raum"],"Public":["Öffentlich"],"Semi-anonymous":["Teilweise anonym"],"Temporary":["Vorübergehend"],"Unmoderated":["Nicht moderiert"],"Query for Groupchats":["Benutzer aus dem Raum verbannen"],"Server address":["Server"],"Show groupchats":["Gruppen"],"conference.example.org":["z.B. conference.example.tld"],"No groupchats found":["Keine Räume gefunden"],"Enter a new Groupchat":["Raum betreten"],"Groupchat address":["XMPP/Jabber-ID (JID) dieses Raumes"],"Optional nickname":["Optionaler Spitzname"],"name@conference.example.org":["name@conference.beispiel.tld"],"Join":["Betreten"],"Groupchat info for %1$s":["Benachrichtigung für %1$s"],"%1$s is no longer a moderator":["%1$s ist kein Moderator mehr"],"%1$s has been given a voice again":["%1$s darf nun wieder schreiben"],"%1$s has been muted":["%1$s wurde das Schreibrecht entzogen"],"%1$s is now a moderator":["%1$s ist jetzt ein Moderator"],"Close and leave this groupchat":["Schließen und diesen Raum verlassen"],"Configure this groupchat":["Einstellungsänderungen an diesem Raum vornehmen"],"Show more details about this groupchat":["Mehr Information über diesen Raum anzeigen"],"Hide the list of participants":["Teilnehmerliste ausblenden"],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Fehler: Das „%1$s”-Kommando benötigt zwei Argumente: Den Benutzernamen und einen Grund."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Leider ist ein Fehler während dem Ausführen des Kommandos aufgetreten. Überprüfe die Entwicklerkonsole des Browsers."],"Change user's affiliation to admin":["Zugehörigkeit des Benutzers zu Administrator ändern"],"Ban user from groupchat":["Benutzer aus dem Raum verbannen"],"Change user role to participant":["Rolle zu Teilnehmer ändern"],"Kick user from groupchat":["Benutzer aus dem Raum hinauswerfen"],"Write in 3rd person":["In der dritten Person schreiben"],"Grant membership to a user":["Einem Benutzer die Mitgliedschaft gewähren"],"Remove user's ability to post messages":["Die Möglichkeit des Benutzers, Nachrichten zu senden, entfernen"],"Change your nickname":["Eigenen Spitznamen ändern"],"Grant moderator role to user":["Benutzer Moderatorrechte gewähren"],"Grant ownership of this groupchat":["Besitzrechte an diesem Raum vergeben"],"Revoke user's membership":["Mitgliedschaft des Benutzers widerrufen"],"Set groupchat subject":["Thema des Chatraums festlegen"],"Set groupchat subject (alias for /subject)":["Raumthema (alias für /subject) festlegen"],"Allow muted user to post messages":["Stummgeschaltetem Benutzer erlauben Nachrichten zu senden"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Der gewählte Spitzname ist reserviert oder derzeit in Gebrauch. Bitte wähle einen Anderen."],"Please choose your nickname":["Wählen Sie Ihren Spitznamen"],"Nickname":["Spitzname"],"Enter groupchat":["Raum betreten"],"This groupchat requires a password":["Dieser Raum erfordert ein Passwort"],"Password: ":["Passwort: "],"Submit":["Senden"],"This action was done by %1$s.":["Diese Aktion wurde durch %1$s ausgeführt."],"The reason given is: \"%1$s\".":["Angegebene Grund: „%1$s”"],"%1$s has left and re-entered the groupchat":["%1$s hat den Raum erneut betreten"],"%1$s has entered the groupchat":["%1$s hat den Raum betreten"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s hat den Raum betreten. „%2$s”"],"%1$s has entered and left the groupchat":["%1$s hat den Raum wieder verlassen"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s hat den Raum wieder verlassen. „%2$s”"],"%1$s has left the groupchat":["%1$s hat den Raum verlassen"],"%1$s has left the groupchat. \"%2$s\"":["%1$s hat den Raum verlassen. „%2$s”"],"You are not on the member list of this groupchat.":["Sie sind nicht auf der Mitgliederliste dieses Raums."],"You have been banned from this groupchat.":["Sie wurden aus diesem Raum verbannt."],"No nickname was specified.":["Kein Spitzname festgelegt."],"You are not allowed to create new groupchats.":["Es ist Ihnen nicht erlaubt neue Räume anzulegen."],"Your nickname doesn't conform to this groupchat's policies.":["Ihr Spitzname entspricht nicht den Richtlinien dieses Raumes."],"This groupchat does not (yet) exist.":["Dieser Raum existiert (noch) nicht."],"This groupchat has reached its maximum number of participants.":["Maximale Anzahl an Teilnehmern für diesen Raum erreicht."],"Remote server not found":["Server wurde nicht gefunden"],"The explanation given is: \"%1$s\".":["Angegebene Grund: „%1$s”."],"Topic set by %1$s":["Das Thema wurde von %1$s gesetzt"],"Groupchats":["Gruppenchat"],"Add a new groupchat":["Neuen Gruppenchat hinzufügen"],"Query for groupchats":["Gruppenchats abfragen"],"Click to mention %1$s in your message.":["Klicken Sie hier, um %1$s in Ihrer Nachricht zu erwähnen."],"This user is a moderator.":["Dieser Benutzer ist ein Moderator."],"This user can send messages in this groupchat.":["Dieser Benutzer kann Nachrichten in diesem Raum senden."],"This user can NOT send messages in this groupchat.":["Dieser Benutzer kann keine Nachrichten in diesem Raum senden."],"Moderator":["Moderator"],"Visitor":["Besucher"],"Owner":["Eigentümer"],"Member":["Mitglieder"],"Admin":["Administrator"],"Participants":["Teilnehmer"],"Invite":["Einladen"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":["Sie sind dabei, %1$s in den Chatraum „%2$s” einzuladen. Optional können Sie eine Nachricht anfügen, in der Sie den Grund für die Einladung erläutern."],"Please enter a valid XMPP username":["Bitte eine gültige XMPP/Jabber-ID angeben"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["%1$s hat Sie in den Raum „%2$s” eingeladen"],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":["%1$s hat Sie in den Raum „%2$s” eingeladen. Begründung: „%3$s”"],"Notification from %1$s":["Benachrichtigung von %1$s"],"%1$s says":["%1$s sagt"],"has gone offline":["hat sich abgemeldet"],"has gone away":["ist jetzt abwesend"],"is busy":["ist beschäftigt"],"has come online":["kam online"],"wants to be your contact":["möchte Ihr Kontakt sein"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Your avatar image":["Dein Avatarbild"],"Your Profile":["Dein Profil"],"Close":["Schließen"],"Email":["E-Mail"],"Full Name":["Name"],"XMPP Address (JID)":["XMPP/Jabber-ID (JID)"],"Role":["Rolle"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Benutze Kommas um die Rollen zu separieren. Die Rollen erscheinen neben deinem Namen."],"URL":["URL"],"Sorry, an error happened while trying to save your profile data.":["Leider konnte das Lesezeichen nicht gespeichert werden."],"You can check your browser's developer console for any error output.":["Schau in die Entwicklerkonsole des Browsers um mögliche Fehlerausgaben zu sehen."],"Away":["Abwesend"],"Busy":["Beschäftigt"],"Custom status":["Statusnachricht"],"Offline":["Abgemeldet"],"Online":["Online"],"Away for long":["länger abwesend"],"Change chat status":["Hier klicken, um Ihren Status zu ändern"],"Personal status message":["Persönliche Nachricht"],"I am %1$s":["Ich bin %1$s"],"Change settings":["Einstellungen ändern"],"Click to change your chat status":["Hier klicken, um Ihren Status zu ändern"],"Log out":["Abmelden"],"Your profile":["Dein Profil"],"Are you sure you want to log out?":["Möchten Sie sich wirklich abmelden?"],"online":["online"],"busy":["beschäftigt"],"away for long":["länger abwesend"],"away":["abwesend"],"offline":["abgemeldet"]," e.g. conversejs.org":[" z. B. conversejs.org"],"Fetch registration form":["Anmeldeformular wird abgerufen"],"Tip: A list of public XMPP providers is available":["Tipp: Eine Liste öffentlicher Provider ist verfügbar"],"here":["hier"],"Sorry, we're unable to connect to your chosen provider.":["Leider können wir keine Verbindung zu dem von Ihnen gewählten Provider herstellen."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Entschuldigung: Dieser Provider erlaubt keine direkte Benutzer- Registrierung. Versuchen Sie einen anderen Provider oder erstellen Sie einen Zugang beim Provider direkt."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Die Verbindung zu „%1$s” konnte nicht hergestellt werden. Sind Sie sicher, dass „%1$s” existiert?"],"Now logging you in":["Sie werden angemeldet"],"Registered successfully":["Registrierung erfolgreich"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Der Provider hat die Registrierung abgelehnt. Bitte überprüfen Sie Ihre Angaben auf Richtigkeit."],"Click to toggle the list of open groupchats":["Gruppenteilnehmer anzeigen"],"Open Groupchats":["Öffne Gruppenchats"],"Are you sure you want to leave the groupchat %1$s?":["Möchten Sie den Raum „%1$s” wirklich verlassen?"],"Sorry, there was an error while trying to add %1$s as a contact.":["Leider gab es einen Fehler beim Versuch, %1$s als Kontakt hinzuzufügen."],"This client does not allow presence subscriptions":["Dieser Client erlaubt keine Anwesenheitsabonnements"],"Click to hide these contacts":["Hier klicken, um diese Kontakte auszublenden"],"This contact is busy":["Dieser Kontakt ist beschäftigt"],"This contact is online":["Dieser Kontakt ist online"],"This contact is offline":["Dieser Kontakt ist offline"],"This contact is unavailable":["Dieser Kontakt ist nicht verfügbar"],"This contact is away for an extended period":["Dieser Kontakt ist für längere Zeit abwesend"],"This contact is away":["Dieser Kontakt ist abwesend"],"Groups":["Gruppen"],"My contacts":["Meine Kontakte"],"Pending contacts":["Unbestätigte Kontakte"],"Contact requests":["Kontaktanfragen"],"Ungrouped":["Ungruppiert"],"Contact name":["Name des Kontakts"],"Add a Contact":["Kontakt hinzufügen"],"XMPP Address":["XMPP Adresse"],"name@example.org":["z.B. benutzer@example.tld"],"Add":["Hinzufügen"],"Filter":["Filter"],"Filter by contact name":["Name des Kontakts"],"Filter by group name":["Suche per Gruppenname"],"Filter by status":["Suche via Status"],"Any":["Jeder"],"Unread":["Ungelesen"],"Chatty":["Gesprächsbereit"],"Extended Away":["Länger nicht anwesend"],"Click to remove %1$s as a contact":["Hier klicken, um %1$s als Kontakt zu entfernen"],"Click to accept the contact request from %1$s":["Hier klicken, um die Kontaktanfrage von %1$s zu akzeptieren"],"Click to decline the contact request from %1$s":["Hier klicken, um die Kontaktanfrage von %1$s abzulehnen"],"Click to chat with %1$s (JID: %2$s)":["Hier klicken, um mit %1$s (JID: %2$s) eine Unterhaltung zu beginnen"],"Are you sure you want to decline this contact request?":["Möchten Sie diese Kontaktanfrage wirklich ablehnen?"],"Contacts":["Kontakte"],"Add a contact":["Kontakt hinzufügen"],"Name":["Name"],"Groupchat address (JID)":["Raumadresse (JID)"],"Description":["Beschreibung"],"Topic":["Thema"],"Topic author":["Author des Themas"],"Online users":["Online"],"Features":["Funktionen"],"Password protected":["Passwortgeschützt"],"This groupchat requires a password before entry":["Dieser Raum erfordert ein Passwort"],"No password required":["Kein Passwort benötigt"],"This groupchat does not require a password upon entry":["Dieser Raum erfordert kein Passwort"],"This groupchat is not publicly searchable":["Dieser Raum ist nicht öffentlich auffindbar"],"This groupchat is publicly searchable":["Dieser Raum ist öffentlich auffindbar"],"Members only":["Nur Mitglieder"],"This groupchat is restricted to members only":["Dieser Raum ist nur für Mitglieder zugänglich"],"Anyone can join this groupchat":["Jeder kann diesen Raum betreten"],"Persistent":["Dauerhaft"],"This groupchat persists even if it's unoccupied":["Dieser Raum bleibt bestehen, auch wenn er nicht besetzt ist"],"This groupchat will disappear once the last person leaves":["Dieser Raum verschwindet, sobald die letzte Person den Raum verlässt"],"Not anonymous":["Nicht anonym"],"All other groupchat participants can see your XMPP username":["Jeder in dem Raum kann deine XMPP/Jabber-ID sehen"],"Only moderators can see your XMPP username":["Nur Moderatoren können deine XMPP/Jabber-ID sehen"],"This groupchat is being moderated":["Dieser Raum ist moderiert"],"Not moderated":["Nicht moderiert"],"This groupchat is not being moderated":["Dieser Raum wird nicht moderiert"],"Message archiving":["Nachrichtenarchivierung"],"Messages are archived on the server":["Nachrichten werden auf dem Server archiviert"],"No password":["Kein Passwort"],"this groupchat is restricted to members only":["Dieser Raum ist nur für Mitglieder zugänglich"],"XMPP Username:":["XMPP Benutzername:"],"Password:":["Passwort:"],"password":["passwort"],"This is a trusted device":["Diesem Gerät wird vertraut"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["Um die Performanz zu verbessern, werden Daten im Browser zwischengespeichert. Entkreuze diese Box, wenn du an einem öffentlichen PC bist oder du die Daten löschen willst, sobald du dich ausloggst. Es ist wichtig, dass du dich expilzit ausloggst, ansonsten werden die gespeicherten Daten möglicherweise nicht gelöscht."],"Log in":["Anmelden"],"Click here to log in anonymously":["Hier klicken, um sich anonym anzumelden"],"This message has been edited":["Diese Nachricht wurde geändert"],"Edit this message":["Nachricht bearbeiten"],"Message versions":["Nachrichtenarchivierung"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Sie haben noch kein Chat-Konto?"],"Create an account":["Konto erstellen"],"Create your account":["Erstellen Sie Ihr Konto"],"Please enter the XMPP provider to register with:":["Bitte geben Sie den XMPP-Provider ein, bei dem Sie sich anmelden möchten:"],"Already have a chat account?":["Sie haben bereits ein Chat-Konto?"],"Log in here":["Hier anmelden"],"Account Registration:":["Konto-Registrierung:"],"Register":["Registrierung"],"Choose a different provider":["Wählen Sie einen anderen Anbieter"],"Hold tight, we're fetching the registration form…":["Bitte warten, das Anmeldeformular wird geladen …"],"Messages are being sent in plaintext":[""],"The User's Profile Image":["Benutzerprofilbild"],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Remove as contact":["Kontakt entfernen"],"Refresh":["Aktualisieren"],"Download":["Herunterladen"]}}} \ No newline at end of file diff --git a/locale/de/LC_MESSAGES/converse.po b/locale/de/LC_MESSAGES/converse.po index 7eedf0b43..5528dd048 100644 --- a/locale/de/LC_MESSAGES/converse.po +++ b/locale/de/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 0.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-07-31 18:02+0000\n" "Last-Translator: The Lacks \n" "Language-Team: German \n" "Language-Team: Spanish \n" "Language-Team: Basque 1;","lang":"fr"},"Bookmark this groupchat":["Mettre ce salon en marque-page"],"The name for this bookmark:":["Nom de ce marque-page :"],"Would you like this groupchat to be automatically joined upon startup?":["Voulez-vous que ce salon soit automatiquement rejoint au démarrage ?"],"What should your nickname for this groupchat be?":["Que devrait être votre pseudo sur ce salon ?"],"Save":["Sauvegarder"],"Cancel":["Annuler"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Voulez-vous vraiment supprimer le marque-page « %1$s » ?"],"Error":["Erreur"],"Sorry, something went wrong while trying to save your bookmark.":["Désolé, quelque chose s’est mal passé pendant la sauvegarde de ce marque-page."],"Leave this groupchat":["Quitter ce salon"],"Remove this bookmark":["Supprimer ce marque-page"],"Unbookmark this groupchat":["Retirer ce salon des marque-pages"],"Show more information on this groupchat":["Afficher davantage d’informations sur ce salon"],"Click to open this groupchat":["Cliquer pour ouvrir ce salon"],"Click to toggle the bookmarks list":["Cliquer pour ouvrir la liste des salons"],"Bookmarks":["Marques-page"],"Sorry, could not determine file upload URL.":["Désolé, impossible de déterminer l’URL pour envoyer le fichier."],"Sorry, could not determine upload URL.":["Désolé, impossible de déterminer l’URL d’envoi de fichier."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Désolé, l’envoi de fichier a échoué. Votre serveur a répondu : « %1$s »"],"Sorry, could not succesfully upload your file.":["Désolé, l’envoi de fichier a échoué."],"Sorry, looks like file upload is not supported by your server.":["Désolé, votre serveur semble ne pas proposer l’envoi de fichier."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["La taille de votre fichier, %1$s, dépasse le maximum autorisé par votre serveur, qui est %2$s."],"Sorry, an error occurred:":["Désolé, une erreur s’est produite :"],"Close this chat box":["Fermer cette fenêtre de discussion"],"Are you sure you want to remove this contact?":["Voulez-vous vraiment retirer ce contact ?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Désolé, il y a eu une erreur lors de la tentative de retrait de %1$s comme contact."],"You have unread messages":["Vous avez de nouveaux messages"],"Hidden message":["Message caché"],"Message":["Message"],"Send":["Envoyer"],"Optional hint":["Indice optionnel"],"Choose a file to send":["Choisir un fichier à envoyer"],"Click to write as a normal (non-spoiler) message":["Cliquez pour écrire un message sans spoiler"],"Click to write your message as a spoiler":["Cliquez pour écrire votre message en tant que spoiler"],"Clear all messages":["Supprimer tous les messages"],"Insert emojis":["Insérer un emoji"],"Start a call":["Démarrer un appel"],"Remove messages":["Effacer les messages"],"Write in the third person":["Écrire à la troisième personne"],"Show this menu":["Afficher ce menu"],"Are you sure you want to clear the messages from this conversation?":["Voulez-vous vraiment effacer les messages de cette conversation ?"],"%1$s has gone offline":["%1$s s’est déconnecté"],"%1$s has gone away":["%1$s n’est plus disponible"],"%1$s is busy":["%1$s est occupé"],"%1$s is online":["%1$s est en ligne"],"Username":["Nom"],"user@domain":["utilisateur@domaine"],"Please enter a valid XMPP address":["Veuillez saisir une adresse XMPP valide"],"Chat Contacts":["Contacts de chat"],"Toggle chat":["Ouvrir la discussion"],"The connection has dropped, attempting to reconnect.":["La connexion a été perdue, tentative de reconnexion en cours."],"An error occurred while connecting to the chat server.":["Une erreur est survenue lors de la connexion au serveur de discussion."],"Your Jabber ID and/or password is incorrect. Please try again.":["Votre identifiant Jabber ou votre mot de passe est incorrect. Veuillez réessayer."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Désolé, nous n’avons pas pu nous connecter à l’hôte XMPP avec le domaine : %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Le serveur XMPP n’a pas proposé un mécanisme d’authentification pris en charge"],"Show more":["Afficher plus"],"Typing from another device":["En train d’écrire depuis un autre client"],"%1$s is typing":["%1$s est en train d’écrire"],"Stopped typing on the other device":["A arrêté d’écrire sur l’autre client"],"%1$s has stopped typing":["%1$s a arrêté d’écrire"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Réduire cette fenêtre de discussion"],"Click to restore this chat":["Cliquez pour afficher cette discussion"],"Minimized":["Réduit(s)"],"This groupchat is not anonymous":["Ce salon n’est pas anonyme"],"This groupchat now shows unavailable members":["Ce salon affiche maintenant les membres indisponibles"],"This groupchat does not show unavailable members":["Ce salon n’affiche pas les membres indisponibles"],"The groupchat configuration has changed":["Les paramètres de ce salon ont été modifiés"],"groupchat logging is now enabled":["L’enregistrement des logs de ce salon est maintenant activé"],"groupchat logging is now disabled":["L’enregistrement des logs de ce salon est maintenant désactivé"],"This groupchat is now no longer anonymous":["Ce salon n’est plus anonyme"],"This groupchat is now semi-anonymous":["Ce salon est maintenant semi-anonyme"],"This groupchat is now fully-anonymous":["Ce salon est maintenant entièrement anonyme"],"A new groupchat has been created":["Un nouveau salon a été créé"],"You have been banned from this groupchat":["Vous avez été banni de ce salon"],"You have been kicked from this groupchat":["Vous avez été expulsé de ce salon"],"You have been removed from this groupchat because of an affiliation change":["Vous avez été retiré de ce salon du fait d’un changement d’affiliation"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Vous avez été retiré de ce salon parce que ce salon est devenu réservé aux membres et vous n’êtes pas membre"],"%1$s has been banned":["%1$s a été banni"],"%1$s's nickname has changed":["L’alias de %1$s a changé"],"%1$s has been kicked out":["%1$s a été expulsé"],"%1$s has been removed because of an affiliation change":["%1$s a été supprimé à cause d’un changement d’affiliation"],"%1$s has been removed for not being a member":["%1$s a été supprimé car il n’est pas membre"],"Your nickname has been automatically set to %1$s":["Votre alias a été automatiquement défini à : %1$s"],"Your nickname has been changed to %1$s":["Votre alias a été modifié en : %1$s"],"Description:":["Description :"],"Groupchat Address (JID):":["Adresse du salon (JID) :"],"Participants:":["Participants :"],"Features:":["Caractéristiques :"],"Requires authentication":["Nécessite une authentification"],"Hidden":["Caché"],"Requires an invitation":["Nécessite une invitation"],"Moderated":["Modéré"],"Non-anonymous":["Non-anonyme"],"Open":["Ouvert"],"Permanent":["Permanent"],"Public":["Public"],"Semi-anonymous":["Semi-anonyme"],"Temporary":["Temporaire"],"Unmoderated":["Non modéré"],"Query for Groupchats":["Chercher un salon"],"Server address":["Adresse du serveur"],"Show groupchats":["Afficher les salons"],"conference.example.org":["chat.exemple.org"],"No groupchats found":["Aucun salon trouvé"],"Enter a new Groupchat":["Entrer dans un nouveau salon"],"Groupchat address":["Adresse du salon"],"Optional nickname":["Pseudonyme optionnel"],"name@conference.example.org":["nom@chat.example.org"],"Join":["Rejoindre"],"Groupchat info for %1$s":["Informations sur le salon %1$s"],"%1$s is no longer a moderator":["%1$s n’est plus un modérateur"],"%1$s has been given a voice again":["%1$s peut de nouveau parler"],"%1$s has been muted":["%1$s ne peut plus parler"],"%1$s is now a moderator":["%1$s est désormais un modérateur"],"Close and leave this groupchat":["Fermer et quitter ce salon"],"Configure this groupchat":["Configurer ce salon"],"Show more details about this groupchat":["Afficher davantage d’informations sur ce salon"],"Hide the list of participants":["Cacher la liste des participants"],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Erreur : la commande « %1$s » prend deux paramètres, le pseudo de l’utilisateur et une raison optionnelle."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Désolé, une erreur s'est produite lors de l'exécution de la commande. Vérifiez la console de développement de votre navigateur pour plus de détails."],"Change user's affiliation to admin":["Changer le rôle de l’utilisateur en administrateur"],"Ban user from groupchat":["Bannir l’utilisateur du salon"],"Change user role to participant":["Changer le rôle de l’utilisateur en participant"],"Kick user from groupchat":["Expulser l’utilisateur du salon"],"Write in 3rd person":["Écrire à la troisième personne"],"Grant membership to a user":["Autoriser l’utilisateur à être membre"],"Remove user's ability to post messages":["Retirer le droit d’envoyer des messages"],"Change your nickname":["Changer votre alias"],"Grant moderator role to user":["Changer le rôle de l’utilisateur en modérateur"],"Grant ownership of this groupchat":["Accorder la propriété à ce salon"],"Revoke user's membership":["Révoquer l’utilisateur des membres"],"Set groupchat subject":["Définir le sujet du salon"],"Set groupchat subject (alias for /subject)":["Définir le sujet du salon (alias pour /subject)"],"Allow muted user to post messages":["Autoriser les utilisateurs muets à poster des messages"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["L’alias choisi est réservé ou actuellment utilisé, veuillez en choisir un différent."],"Please choose your nickname":["Veuillez choisir votre alias"],"Nickname":["Alias"],"Enter groupchat":["Entrer dans le salon"],"This groupchat requires a password":["Ce salon nécessite un mot de passe"],"Password: ":["Mot de passe : "],"Submit":["Soumettre"],"This action was done by %1$s.":["Cette action a été réalisée par %1$s."],"The reason given is: \"%1$s\".":["La raison indiquée est : « %1$s »."],"%1$s has left and re-entered the groupchat":["%1$s a quitté puis rejoint le salon"],"%1$s has entered the groupchat":["%1$s a rejoint le salon"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s a rejoint le salon. « %2$s »"],"%1$s has entered and left the groupchat":["%1$s a rejoint puis quitté le salon"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s a rejoint puis quitté le salon. « %2$s »"],"%1$s has left the groupchat":["%1$s a quitté le salon"],"%1$s has left the groupchat. \"%2$s\"":["%1$s a quitté le salon. « %2$s »"],"You are not on the member list of this groupchat.":["Vous n’êtes pas dans la liste des membres de ce salon."],"You have been banned from this groupchat.":["Vous avez été banni de ce salon."],"No nickname was specified.":["Aucun alias n’a été indiqué."],"You are not allowed to create new groupchats.":["Vous n’êtes pas autorisé à créer des salons."],"Your nickname doesn't conform to this groupchat's policies.":["Votre pseudo n’est pas conforme à la politique de ce salon."],"This groupchat does not (yet) exist.":["Ce salon n’existe pas (pour l’instant)."],"This groupchat has reached its maximum number of participants.":["Ce salon a atteint sa limite maximale d’occupants."],"Remote server not found":["Serveur distant introuvable"],"The explanation given is: \"%1$s\".":["La raison indiquée est : « %1$s »."],"Topic set by %1$s":["Le sujet a été défini par %1$s"],"Groupchats":["Salons"],"Add a new groupchat":["Ajouter un nouveau salon"],"Query for groupchats":["Chercher un salon"],"Click to mention %1$s in your message.":["Cliquer pour citer %1$s dans votre message."],"This user is a moderator.":["Cet utilisateur est un modérateur."],"This user can send messages in this groupchat.":["Cet utilisateur peut envoyer des messages dans ce salon."],"This user can NOT send messages in this groupchat.":["Cet utilisateur ne peut PAS envoyer de messages dans ce salon."],"Moderator":["Modérateur"],"Visitor":["Visiteur"],"Owner":["Propriétaire"],"Member":["Membre"],"Admin":["Administrateur"],"Participants":["Participants"],"Invite":["Inviter"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":["Vous allez inviter %1$s dans le salon %2$s. Vous pouvez facultativement ajouter un message expliquant la raison de cette invitation."],"Please enter a valid XMPP username":["Veuillez saisir un identifiant utilisateur XMPP valide"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["%1$s vous invite à rejoindre le salon : %2$s"],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":["%1$s vous invite à rejoindre le salon : %2$s, avec le message suivant: « %3$s »"],"Notification from %1$s":["Notification depuis %1$s"],"%1$s says":["%1$s dit"],"has gone offline":["s’est déconnecté"],"has gone away":["est absent"],"is busy":["est occupé"],"has come online":["s’est déconnecté"],"wants to be your contact":["veut être votre contact"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Your avatar image":["Votre image d’avatar"],"Your Profile":["Votre profil"],"Close":["Fermer"],"Email":["E-mail"],"Full Name":["Nom complet"],"XMPP Address (JID)":["Adresse XMPP (JID)"],"Role":["Rôle"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Utilisez une virgule pour séparer plusieurs rôles. Vos rôles sont affichés à côté de votre nom dans vos messages."],"URL":["URL"],"Sorry, an error happened while trying to save your profile data.":["Désolé, quelque chose s’est mal passé pendant la sauvegarde de votre profil."],"You can check your browser's developer console for any error output.":["Vous pouvez surveiller toute erreur qui apparaîtrait dans la console de développement de votre navigateur."],"Away":["Absent"],"Busy":["Occupé"],"Custom status":["Statut personnel"],"Offline":["Déconnecté"],"Online":["En ligne"],"Away for long":["Absent pour une longue durée"],"Change chat status":["changer votre statut de chat"],"Personal status message":["Message de statut personnel"],"I am %1$s":["Je suis %1$s"],"Change settings":["Changer les préférences"],"Click to change your chat status":["Cliquez pour changer votre statut"],"Log out":["Se déconnecter"],"Your profile":["Votre profil"],"Are you sure you want to log out?":["Voulez-vous vraiment vous déconnecter ?"],"online":["en ligne"],"busy":["occupé"],"away for long":["absent pour une longue durée"],"away":["absent"],"offline":["Déconnecté"]," e.g. conversejs.org":[" par exemple conversejs.org"],"Fetch registration form":["Récupération du formulaire d’enregistrement"],"Tip: A list of public XMPP providers is available":["Astuce : une liste publique de fournisseurs XMPP est disponible"],"here":["ici"],"Sorry, we're unable to connect to your chosen provider.":["Désolé, nous n’avons pas pu nous connecter à votre fournisseur."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Désolé, le fournisseur indiqué ne supporte pas l’enregistrement de compte en ligne. Merci d’essayer avec un autre fournisseur."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Quelque chose a échoué lors de l’établissement de la connexion avec « %1$s ». Existe-t-il vraiment ?"],"Now logging you in":["En cours de connexion"],"Registered successfully":["Enregistré avec succès"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Le fournisseur a rejeté votre demande d’inscription. Merci de vérifier que les données que vous avez fournies sont correctes."],"Click to toggle the list of open groupchats":["Cliquer pour ouvrir la liste des salons ouverts"],"Open Groupchats":["Salons ouverts"],"Are you sure you want to leave the groupchat %1$s?":["Voulez-vous vraiment quitter le salon « %1$s » ?"],"Sorry, there was an error while trying to add %1$s as a contact.":["Désolé, il y a eu une erreur lors de la tentative d’ajout de %1$s comme contact."],"This client does not allow presence subscriptions":["Ce client ne permet pas les mises à jour de disponibilité"],"Click to hide these contacts":["Cliquez pour cacher ces contacts"],"This contact is busy":["Ce contact est occupé"],"This contact is online":["Ce contact est connecté"],"This contact is offline":["Ce contact est déconnecté"],"This contact is unavailable":["Ce contact est indisponible"],"This contact is away for an extended period":["Ce contact est absent"],"This contact is away":["Ce contact est absent"],"Groups":["Groupes"],"My contacts":["Mes contacts"],"Pending contacts":["Contacts en attente"],"Contact requests":["Demandes de contacts"],"Ungrouped":["Sans groupe"],"Contact name":["Nom du contact"],"Add a Contact":["Ajouter un contact"],"XMPP Address":["Adresse XMPP"],"name@example.org":["nom@exemple.org"],"Add":["Ajouter"],"Filter":["Filtrer"],"Filter by contact name":["Filtrer par nom de contact"],"Filter by group name":["Filtrer par nom de groupe"],"Filter by status":["Filtrer par statut"],"Any":["Aucun"],"Unread":["Non lu"],"Chatty":["Bavard"],"Extended Away":["Absence longue durée"],"Click to remove %1$s as a contact":["Cliquez pour retirer le contact %1$s"],"Click to accept the contact request from %1$s":["Cliquez pour accepter la demande d’ajout de contact de %1$s"],"Click to decline the contact request from %1$s":["Cliquez pour décliner la demande d’ajout de contact de %1$s"],"Click to chat with %1$s (JID: %2$s)":["Cliquez pour discuter avec %1$s (JID : %2$s)"],"Are you sure you want to decline this contact request?":["Voulez-vous vraiment rejeter cette demande d’ajout de contact ?"],"Contacts":["Contacts"],"Add a contact":["Ajouter un contact"],"Name":["Nom"],"Groupchat address (JID)":["Adresse du salon (JID) :"],"Description":["Description"],"Topic":["Sujet"],"Topic author":["Auteur du sujet"],"Online users":["Utilisateurs en ligne"],"Features":["Caractéristiques"],"Password protected":["Protégé par mot de passe"],"This groupchat requires a password before entry":["Ce salon nécessite un mot de passe pour y accéder"],"No password required":["Pas de mot de passe nécessaire"],"This groupchat does not require a password upon entry":["Ce salon ne nécessite pas de mot de passe pour y accéder"],"This groupchat is not publicly searchable":["Ce salon ne peut pas être recherché publiquement"],"This groupchat is publicly searchable":["Ce salon peut être recherché publiquement"],"Members only":["Membres uniquement"],"This groupchat is restricted to members only":["Ce salon est restreint aux membres uniquement"],"Anyone can join this groupchat":["N’importe qui peut rejoindre ce salon"],"Persistent":["Persistant"],"This groupchat persists even if it's unoccupied":["Ce salon persiste même s'il est inoccupé"],"This groupchat will disappear once the last person leaves":["Ce salon disparaîtra au départ de la dernière personne"],"Not anonymous":["Non-anonyme"],"All other groupchat participants can see your XMPP username":["Tous les autres occupants de ce salon peuvent voir votre nom d’utilisateur XMPP"],"Only moderators can see your XMPP username":["Seuls les modérateurs peuvent voir votre identifiant XMPP"],"This groupchat is being moderated":["Ce salon est modéré"],"Not moderated":["Non modéré"],"This groupchat is not being moderated":["Ce salon n’est pas modéré"],"Message archiving":["Archivage des messages"],"Messages are archived on the server":["Les messages sont archivés sur le serveur"],"No password":["Pas de mot de passe"],"this groupchat is restricted to members only":["ce salon est restreint aux membres uniquement"],"XMPP Username:":["Nom d’utilisateur XMPP :"],"Password:":["Mot de passe :"],"password":["Mot de passe"],"This is a trusted device":["Ceci est un appareil de confiance"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["Pour améliorer les performances, nous stockons vos données dans ce navigateur. Décochez ce bouton si vous êtes sur un ordinateur public, ou si vous voulez que vos données soient supprimées lorsque vous vous déconnecterez. Il est important que vous vous déconnectiez explicitement, sinon toutes les données stockées ne seront pas forcément supprimées."],"Log in":["Se connecter"],"Click here to log in anonymously":["Cliquez ici pour se connecter anonymement"],"This message has been edited":["Ce message a été édité"],"Edit this message":["Éditer ce message"],"Message versions":["Versions du message"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Vous n’avez pas de compte ?"],"Create an account":["Créer un compte"],"Create your account":["Créer votre compte"],"Please enter the XMPP provider to register with:":["Veuillez saisir le fournisseur XMPP auprès duquel s’inscrire :"],"Already have a chat account?":["Vous avez déjà un compte ?"],"Log in here":["Connectez-vous ici"],"Account Registration:":["Création de compte :"],"Register":["S’inscrire"],"Choose a different provider":["Choisir un autre fournisseur"],"Hold tight, we're fetching the registration form…":["Ne bougez pas, on va chercher le formulaire d’inscription…"],"Messages are being sent in plaintext":[""],"The User's Profile Image":["Image de profil de l’utilisateur"],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Remove as contact":["Supprimer ce contact"],"Refresh":["Rafraîchir"],"Download":["Télécharger"],"Download \"%1$s\"":["Télécharger « %1$s »"],"Download video file":["Télécharger le fichier vidéo"],"Download audio file":["Télécharger le fichier audio"]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n > 1;","lang":"fr"},"Bookmark this groupchat":["Mettre ce salon en marque-page"],"The name for this bookmark:":["Nom de ce marque-page :"],"Would you like this groupchat to be automatically joined upon startup?":["Voulez-vous que ce salon soit automatiquement rejoint au démarrage ?"],"What should your nickname for this groupchat be?":["Que devrait être votre pseudo sur ce salon ?"],"Save":["Sauvegarder"],"Cancel":["Annuler"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Voulez-vous vraiment supprimer le marque-page « %1$s » ?"],"Error":["Erreur"],"Sorry, something went wrong while trying to save your bookmark.":["Désolé, quelque chose s’est mal passé pendant la sauvegarde de ce marque-page."],"Leave this groupchat":["Quitter ce salon"],"Remove this bookmark":["Supprimer ce marque-page"],"Unbookmark this groupchat":["Retirer ce salon des marque-pages"],"Show more information on this groupchat":["Afficher davantage d’informations sur ce salon"],"Click to open this groupchat":["Cliquer pour ouvrir ce salon"],"Click to toggle the bookmarks list":["Cliquer pour ouvrir la liste des salons"],"Bookmarks":["Marques-page"],"Sorry, could not determine file upload URL.":["Désolé, impossible de déterminer l’URL pour envoyer le fichier."],"Sorry, could not determine upload URL.":["Désolé, impossible de déterminer l’URL d’envoi de fichier."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Désolé, l’envoi de fichier a échoué. Votre serveur a répondu : « %1$s »"],"Sorry, could not succesfully upload your file.":["Désolé, l’envoi de fichier a échoué."],"Sorry, looks like file upload is not supported by your server.":["Désolé, votre serveur semble ne pas proposer l’envoi de fichier."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["La taille de votre fichier, %1$s, dépasse le maximum autorisé par votre serveur, qui est %2$s."],"Sorry, an error occurred:":["Désolé, une erreur s’est produite :"],"Close this chat box":["Fermer cette fenêtre de discussion"],"Are you sure you want to remove this contact?":["Voulez-vous vraiment retirer ce contact ?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Désolé, il y a eu une erreur lors de la tentative de retrait de %1$s comme contact."],"You have unread messages":["Vous avez de nouveaux messages"],"Hidden message":["Message caché"],"Message":["Message"],"Send":["Envoyer"],"Optional hint":["Indice optionnel"],"Choose a file to send":["Choisir un fichier à envoyer"],"Click to write as a normal (non-spoiler) message":["Cliquez pour écrire un message sans spoiler"],"Click to write your message as a spoiler":["Cliquez pour écrire votre message en tant que spoiler"],"Clear all messages":["Supprimer tous les messages"],"Insert emojis":["Insérer un emoji"],"Start a call":["Démarrer un appel"],"Remove messages":["Effacer les messages"],"Write in the third person":["Écrire à la troisième personne"],"Show this menu":["Afficher ce menu"],"Are you sure you want to clear the messages from this conversation?":["Voulez-vous vraiment effacer les messages de cette conversation ?"],"%1$s has gone offline":["%1$s s’est déconnecté"],"%1$s has gone away":["%1$s n’est plus disponible"],"%1$s is busy":["%1$s est occupé"],"%1$s is online":["%1$s est en ligne"],"Username":["Nom"],"user@domain":["utilisateur@domaine"],"Please enter a valid XMPP address":["Veuillez saisir une adresse XMPP valide"],"Chat Contacts":["Contacts de chat"],"Toggle chat":["Ouvrir la discussion"],"The connection has dropped, attempting to reconnect.":["La connexion a été perdue, tentative de reconnexion en cours."],"An error occurred while connecting to the chat server.":["Une erreur est survenue lors de la connexion au serveur de discussion."],"Your Jabber ID and/or password is incorrect. Please try again.":["Votre identifiant Jabber ou votre mot de passe est incorrect. Veuillez réessayer."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Désolé, nous n’avons pas pu nous connecter à l’hôte XMPP avec le domaine : %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Le serveur XMPP n’a pas proposé un mécanisme d’authentification pris en charge"],"Show more":["Afficher plus"],"Typing from another device":["En train d’écrire depuis un autre client"],"%1$s is typing":["%1$s est en train d’écrire"],"Stopped typing on the other device":["A arrêté d’écrire sur l’autre client"],"%1$s has stopped typing":["%1$s a arrêté d’écrire"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Réduire cette fenêtre de discussion"],"Click to restore this chat":["Cliquez pour afficher cette discussion"],"Minimized":["Réduit(s)"],"This groupchat is not anonymous":["Ce salon n’est pas anonyme"],"This groupchat now shows unavailable members":["Ce salon affiche maintenant les membres indisponibles"],"This groupchat does not show unavailable members":["Ce salon n’affiche pas les membres indisponibles"],"The groupchat configuration has changed":["Les paramètres de ce salon ont été modifiés"],"groupchat logging is now enabled":["L’enregistrement des logs de ce salon est maintenant activé"],"groupchat logging is now disabled":["L’enregistrement des logs de ce salon est maintenant désactivé"],"This groupchat is now no longer anonymous":["Ce salon n’est plus anonyme"],"This groupchat is now semi-anonymous":["Ce salon est maintenant semi-anonyme"],"This groupchat is now fully-anonymous":["Ce salon est maintenant entièrement anonyme"],"A new groupchat has been created":["Un nouveau salon a été créé"],"You have been banned from this groupchat":["Vous avez été banni de ce salon"],"You have been kicked from this groupchat":["Vous avez été expulsé de ce salon"],"You have been removed from this groupchat because of an affiliation change":["Vous avez été retiré de ce salon du fait d’un changement d’affiliation"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Vous avez été retiré de ce salon parce que ce salon est devenu réservé aux membres et vous n’êtes pas membre"],"You have been removed from this groupchat because the service hosting it is being shut down":["Vous avez été retiré de ce salon parce que le service sur lequel il est hébergé est en train d’être arrêté"],"%1$s has been banned":["%1$s a été banni"],"%1$s's nickname has changed":["L’alias de %1$s a changé"],"%1$s has been kicked out":["%1$s a été expulsé"],"%1$s has been removed because of an affiliation change":["%1$s a été supprimé à cause d’un changement d’affiliation"],"%1$s has been removed for not being a member":["%1$s a été supprimé car il n’est pas membre"],"Your nickname has been automatically set to %1$s":["Votre alias a été automatiquement défini à : %1$s"],"Your nickname has been changed to %1$s":["Votre alias a été modifié en : %1$s"],"Description:":["Description :"],"Groupchat Address (JID):":["Adresse du salon (JID) :"],"Participants:":["Participants :"],"Features:":["Caractéristiques :"],"Requires authentication":["Nécessite une authentification"],"Hidden":["Caché"],"Requires an invitation":["Nécessite une invitation"],"Moderated":["Modéré"],"Non-anonymous":["Non-anonyme"],"Open":["Ouvert"],"Permanent":["Permanent"],"Public":["Public"],"Semi-anonymous":["Semi-anonyme"],"Temporary":["Temporaire"],"Unmoderated":["Non modéré"],"Query for Groupchats":["Chercher un salon"],"Server address":["Adresse du serveur"],"Show groupchats":["Afficher les salons"],"conference.example.org":["chat.exemple.org"],"No groupchats found":["Aucun salon trouvé"],"Groupchats found:":["Salons trouvés :"],"Enter a new Groupchat":["Entrer dans un nouveau salon"],"Groupchat address":["Adresse du salon"],"Optional nickname":["Pseudonyme optionnel"],"name@conference.example.org":["nom@chat.example.org"],"Join":["Rejoindre"],"Groupchat info for %1$s":["Informations sur le salon %1$s"],"%1$s is no longer a moderator":["%1$s n’est plus un modérateur"],"%1$s has been given a voice again":["%1$s peut de nouveau parler"],"%1$s has been muted":["%1$s ne peut plus parler"],"%1$s is now a moderator":["%1$s est désormais un modérateur"],"Close and leave this groupchat":["Fermer et quitter ce salon"],"Configure this groupchat":["Configurer ce salon"],"Show more details about this groupchat":["Afficher davantage d’informations sur ce salon"],"Hide the list of participants":["Cacher la liste des participants"],"Forbidden: you do not have the necessary role in order to do that.":["Interdit : vous n’avez pas le rôle nécessaire pour faire ça."],"Forbidden: you do not have the necessary affiliation in order to do that.":["Interdit : vous n’avez pas l’affiliation nécessaire pour faire ça."],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Erreur : la commande « %1$s » prend deux paramètres, le pseudo de l’utilisateur et une raison optionnelle."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Désolé, une erreur s'est produite lors de l'exécution de la commande. Vérifiez la console de développement de votre navigateur pour plus de détails."],"Change user's affiliation to admin":["Changer le rôle de l’utilisateur en administrateur"],"Ban user from groupchat":["Bannir l’utilisateur du salon"],"Change user role to participant":["Changer le rôle de l’utilisateur en participant"],"Kick user from groupchat":["Expulser l’utilisateur du salon"],"Write in 3rd person":["Écrire à la troisième personne"],"Grant membership to a user":["Autoriser l’utilisateur à être membre"],"Remove user's ability to post messages":["Retirer le droit d’envoyer des messages"],"Change your nickname":["Changer votre alias"],"Grant moderator role to user":["Changer le rôle de l’utilisateur en modérateur"],"Grant ownership of this groupchat":["Accorder la propriété à ce salon"],"Revoke user's membership":["Révoquer l’utilisateur des membres"],"Set groupchat subject":["Définir le sujet du salon"],"Set groupchat subject (alias for /subject)":["Définir le sujet du salon (alias pour /subject)"],"Allow muted user to post messages":["Autoriser les utilisateurs muets à poster des messages"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["L’alias choisi est réservé ou actuellment utilisé, veuillez en choisir un différent."],"Please choose your nickname":["Veuillez choisir votre alias"],"Nickname":["Alias"],"Enter groupchat":["Entrer dans le salon"],"This groupchat requires a password":["Ce salon nécessite un mot de passe"],"Password: ":["Mot de passe : "],"Submit":["Soumettre"],"This action was done by %1$s.":["Cette action a été réalisée par %1$s."],"The reason given is: \"%1$s\".":["La raison indiquée est : « %1$s »."],"%1$s has left and re-entered the groupchat":["%1$s a quitté puis rejoint le salon"],"%1$s has entered the groupchat":["%1$s a rejoint le salon"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s a rejoint le salon. « %2$s »"],"%1$s has entered and left the groupchat":["%1$s a rejoint puis quitté le salon"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s a rejoint puis quitté le salon. « %2$s »"],"%1$s has left the groupchat":["%1$s a quitté le salon"],"%1$s has left the groupchat. \"%2$s\"":["%1$s a quitté le salon. « %2$s »"],"You are not on the member list of this groupchat.":["Vous n’êtes pas dans la liste des membres de ce salon."],"You have been banned from this groupchat.":["Vous avez été banni de ce salon."],"No nickname was specified.":["Aucun alias n’a été indiqué."],"You are not allowed to create new groupchats.":["Vous n’êtes pas autorisé à créer des salons."],"Your nickname doesn't conform to this groupchat's policies.":["Votre pseudo n’est pas conforme à la politique de ce salon."],"This groupchat does not (yet) exist.":["Ce salon n’existe pas (pour l’instant)."],"This groupchat has reached its maximum number of participants.":["Ce salon a atteint sa limite maximale d’occupants."],"Remote server not found":["Serveur distant introuvable"],"The explanation given is: \"%1$s\".":["La raison indiquée est : « %1$s »."],"Topic set by %1$s":["Le sujet a été défini par %1$s"],"Groupchats":["Salons"],"Add a new groupchat":["Ajouter un nouveau salon"],"Query for groupchats":["Chercher un salon"],"Click to mention %1$s in your message.":["Cliquer pour citer %1$s dans votre message."],"This user is a moderator.":["Cet utilisateur est un modérateur."],"This user can send messages in this groupchat.":["Cet utilisateur peut envoyer des messages dans ce salon."],"This user can NOT send messages in this groupchat.":["Cet utilisateur ne peut PAS envoyer de messages dans ce salon."],"Moderator":["Modérateur"],"Visitor":["Visiteur"],"Owner":["Propriétaire"],"Member":["Membre"],"Admin":["Administrateur"],"Participants":["Participants"],"Invite":["Inviter"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":["Vous allez inviter %1$s dans le salon %2$s. Vous pouvez facultativement ajouter un message expliquant la raison de cette invitation."],"Please enter a valid XMPP username":["Veuillez saisir un identifiant utilisateur XMPP valide"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["%1$s vous invite à rejoindre le salon : %2$s"],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":["%1$s vous invite à rejoindre le salon : %2$s, avec le message suivant: « %3$s »"],"Notification from %1$s":["Notification depuis %1$s"],"%1$s says":["%1$s dit"],"has gone offline":["s’est déconnecté"],"has gone away":["est absent"],"is busy":["est occupé"],"has come online":["s’est déconnecté"],"wants to be your contact":["veut être votre contact"],"Sorry, an error occurred while trying to remove the devices.":["Désolé, une erreur est survenue en tentant de supprimer les clients OMEMO."],"Sorry, could not decrypt a received OMEMO message due to an error.":["Désolé, impossible de déchiffrer un message chiffré avec OMEMO à cause d’une erreur."],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":["Ceci est un message chiffré avec OMEMO, que votre client ne semble pas prendre en charge. Pour plus d’informations, allez voir https://conversations.im/omemo"],"Sorry, could not send the message due to an error.":["Désolé, impossible d’envoyer ce message à cause d’une erreur."],"Your avatar image":["Votre image d’avatar"],"Your Profile":["Votre profil"],"Close":["Fermer"],"Email":["E-mail"],"Full Name":["Nom complet"],"XMPP Address (JID)":["Adresse XMPP (JID)"],"Role":["Rôle"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Utilisez une virgule pour séparer plusieurs rôles. Vos rôles sont affichés à côté de votre nom dans vos messages."],"URL":["URL"],"Sorry, an error happened while trying to save your profile data.":["Désolé, quelque chose s’est mal passé pendant la sauvegarde de votre profil."],"You can check your browser's developer console for any error output.":["Vous pouvez surveiller toute erreur qui apparaîtrait dans la console de développement de votre navigateur."],"Away":["Absent"],"Busy":["Occupé"],"Custom status":["Statut personnel"],"Offline":["Déconnecté"],"Online":["En ligne"],"Away for long":["Absent pour une longue durée"],"Change chat status":["changer votre statut de chat"],"Personal status message":["Message de statut personnel"],"I am %1$s":["Je suis %1$s"],"Change settings":["Changer les préférences"],"Click to change your chat status":["Cliquez pour changer votre statut"],"Log out":["Se déconnecter"],"Your profile":["Votre profil"],"Are you sure you want to log out?":["Voulez-vous vraiment vous déconnecter ?"],"online":["en ligne"],"busy":["occupé"],"away for long":["absent pour une longue durée"],"away":["absent"],"offline":["Déconnecté"]," e.g. conversejs.org":[" par exemple conversejs.org"],"Fetch registration form":["Récupération du formulaire d’enregistrement"],"Tip: A list of public XMPP providers is available":["Astuce : une liste publique de fournisseurs XMPP est disponible"],"here":["ici"],"Sorry, we're unable to connect to your chosen provider.":["Désolé, nous n’avons pas pu nous connecter à votre fournisseur."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Désolé, le fournisseur indiqué ne supporte pas l’enregistrement de compte en ligne. Merci d’essayer avec un autre fournisseur."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Quelque chose a échoué lors de l’établissement de la connexion avec « %1$s ». Existe-t-il vraiment ?"],"Now logging you in":["En cours de connexion"],"Registered successfully":["Enregistré avec succès"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Le fournisseur a rejeté votre demande d’inscription. Merci de vérifier que les données que vous avez fournies sont correctes."],"Click to toggle the list of open groupchats":["Cliquer pour ouvrir la liste des salons ouverts"],"Open Groupchats":["Salons ouverts"],"Are you sure you want to leave the groupchat %1$s?":["Voulez-vous vraiment quitter le salon « %1$s » ?"],"Sorry, there was an error while trying to add %1$s as a contact.":["Désolé, il y a eu une erreur lors de la tentative d’ajout de %1$s comme contact."],"This client does not allow presence subscriptions":["Ce client ne permet pas les mises à jour de disponibilité"],"Click to hide these contacts":["Cliquez pour cacher ces contacts"],"This contact is busy":["Ce contact est occupé"],"This contact is online":["Ce contact est connecté"],"This contact is offline":["Ce contact est déconnecté"],"This contact is unavailable":["Ce contact est indisponible"],"This contact is away for an extended period":["Ce contact est absent"],"This contact is away":["Ce contact est absent"],"Groups":["Groupes"],"My contacts":["Mes contacts"],"Pending contacts":["Contacts en attente"],"Contact requests":["Demandes de contacts"],"Ungrouped":["Sans groupe"],"Contact name":["Nom du contact"],"Add a Contact":["Ajouter un contact"],"XMPP Address":["Adresse XMPP"],"name@example.org":["nom@exemple.org"],"Add":["Ajouter"],"Filter":["Filtrer"],"Filter by contact name":["Filtrer par nom de contact"],"Filter by group name":["Filtrer par nom de groupe"],"Filter by status":["Filtrer par statut"],"Any":["Aucun"],"Unread":["Non lu"],"Chatty":["Bavard"],"Extended Away":["Absence longue durée"],"Click to remove %1$s as a contact":["Cliquez pour retirer le contact %1$s"],"Click to accept the contact request from %1$s":["Cliquez pour accepter la demande d’ajout de contact de %1$s"],"Click to decline the contact request from %1$s":["Cliquez pour décliner la demande d’ajout de contact de %1$s"],"Click to chat with %1$s (JID: %2$s)":["Cliquez pour discuter avec %1$s (JID : %2$s)"],"Are you sure you want to decline this contact request?":["Voulez-vous vraiment rejeter cette demande d’ajout de contact ?"],"Contacts":["Contacts"],"Add a contact":["Ajouter un contact"],"Name":["Nom"],"Groupchat address (JID)":["Adresse du salon (JID) :"],"Description":["Description"],"Topic":["Sujet"],"Topic author":["Auteur du sujet"],"Online users":["Utilisateurs en ligne"],"Features":["Caractéristiques"],"Password protected":["Protégé par mot de passe"],"This groupchat requires a password before entry":["Ce salon nécessite un mot de passe pour y accéder"],"No password required":["Pas de mot de passe nécessaire"],"This groupchat does not require a password upon entry":["Ce salon ne nécessite pas de mot de passe pour y accéder"],"This groupchat is not publicly searchable":["Ce salon ne peut pas être recherché publiquement"],"This groupchat is publicly searchable":["Ce salon peut être recherché publiquement"],"Members only":["Membres uniquement"],"This groupchat is restricted to members only":["Ce salon est restreint aux membres uniquement"],"Anyone can join this groupchat":["N’importe qui peut rejoindre ce salon"],"Persistent":["Persistant"],"This groupchat persists even if it's unoccupied":["Ce salon persiste même s'il est inoccupé"],"This groupchat will disappear once the last person leaves":["Ce salon disparaîtra au départ de la dernière personne"],"Not anonymous":["Non-anonyme"],"All other groupchat participants can see your XMPP username":["Tous les autres occupants de ce salon peuvent voir votre nom d’utilisateur XMPP"],"Only moderators can see your XMPP username":["Seuls les modérateurs peuvent voir votre identifiant XMPP"],"This groupchat is being moderated":["Ce salon est modéré"],"Not moderated":["Non modéré"],"This groupchat is not being moderated":["Ce salon n’est pas modéré"],"Message archiving":["Archivage des messages"],"Messages are archived on the server":["Les messages sont archivés sur le serveur"],"No password":["Pas de mot de passe"],"this groupchat is restricted to members only":["ce salon est restreint aux membres uniquement"],"XMPP Username:":["Nom d’utilisateur XMPP :"],"Password:":["Mot de passe :"],"password":["Mot de passe"],"This is a trusted device":["Ceci est un appareil de confiance"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["Pour améliorer les performances, nous stockons vos données dans ce navigateur. Décochez ce bouton si vous êtes sur un ordinateur public, ou si vous voulez que vos données soient supprimées lorsque vous vous déconnecterez. Il est important que vous vous déconnectiez explicitement, sinon toutes les données stockées ne seront pas forcément supprimées."],"Log in":["Se connecter"],"Click here to log in anonymously":["Cliquez ici pour se connecter anonymement"],"This message has been edited":["Ce message a été édité"],"Edit this message":["Éditer ce message"],"Message versions":["Versions du message"],"Save and close":["Enregistrer et fermer"],"This device's OMEMO fingerprint":["Empreinte de clé OMEMO de ce client"],"Select all":["Tout sélectionner"],"Checkbox to select fingerprints of all other OMEMO devices":["Case à cocher pour sélectionner les empreintes de tous les autres clients OMEMO"],"Other OMEMO-enabled devices":["Autres clients ayant activé le chiffrement OMEMO"],"Checkbox for selecting the following fingerprint":["Case à cocher pour sélectionner l'empreinte OMEMO suivante"],"Device without a fingerprint":["Client sans empreinte de clé OMEMO"],"Remove checked devices and close":["Supprimer les clients OMEMO sélectionnés, et fermer"],"Don't have a chat account?":["Vous n’avez pas de compte ?"],"Create an account":["Créer un compte"],"Create your account":["Créer votre compte"],"Please enter the XMPP provider to register with:":["Veuillez saisir le fournisseur XMPP auprès duquel s’inscrire :"],"Already have a chat account?":["Vous avez déjà un compte ?"],"Log in here":["Connectez-vous ici"],"Account Registration:":["Création de compte :"],"Register":["S’inscrire"],"Choose a different provider":["Choisir un autre fournisseur"],"Hold tight, we're fetching the registration form…":["Ne bougez pas, on va chercher le formulaire d’inscription…"],"Messages are being sent in plaintext":["Les messages sont envoyés en clair"],"The User's Profile Image":["Image de profil de l’utilisateur"],"OMEMO Fingerprints":["Empreintes de clé OMEMO"],"Trusted":["De confiance"],"Untrusted":["Pas de confiance"],"Remove as contact":["Supprimer ce contact"],"Refresh":["Rafraîchir"],"Download":["Télécharger"]}}} \ No newline at end of file diff --git a/locale/fr/LC_MESSAGES/converse.po b/locale/fr/LC_MESSAGES/converse.po index 5a1821bee..2a6975bed 100644 --- a/locale/fr/LC_MESSAGES/converse.po +++ b/locale/fr/LC_MESSAGES/converse.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 0.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-06 15:52+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-10-02 17:19+0200\n" "Last-Translator: Emmanuel Gil Peyrot \n" "Language-Team: French \n" "Language-Team: Rahut \n" @@ -20,394 +20,394 @@ msgstr "" "X-Language: he\n" "X-Source-Language: en\n" -#: dist/converse-no-dependencies.js:31821 -#: dist/converse-no-dependencies.js:31906 -#: dist/converse-no-dependencies.js:47423 +#: dist/converse-no-dependencies.js:32421 +#: dist/converse-no-dependencies.js:32506 +#: dist/converse-no-dependencies.js:48032 #, fuzzy msgid "Bookmark this groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:31907 +#: dist/converse-no-dependencies.js:32507 msgid "The name for this bookmark:" msgstr "" -#: dist/converse-no-dependencies.js:31908 +#: dist/converse-no-dependencies.js:32508 msgid "Would you like this groupchat to be automatically joined upon startup?" msgstr "" -#: dist/converse-no-dependencies.js:31909 +#: dist/converse-no-dependencies.js:32509 msgid "What should your nickname for this groupchat be?" msgstr "" -#: dist/converse-no-dependencies.js:31911 -#: dist/converse-no-dependencies.js:41743 -#: dist/converse-no-dependencies.js:46269 +#: dist/converse-no-dependencies.js:32511 +#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:46878 msgid "Save" msgstr "שמור" -#: dist/converse-no-dependencies.js:31912 -#: dist/converse-no-dependencies.js:41744 -#: dist/converse-no-dependencies.js:46265 -#: dist/converse-no-dependencies.js:52704 +#: dist/converse-no-dependencies.js:32512 +#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:46874 +#: dist/converse-no-dependencies.js:53313 msgid "Cancel" msgstr "ביטול" -#: dist/converse-no-dependencies.js:31985 +#: dist/converse-no-dependencies.js:32585 #, fuzzy, javascript-format msgid "Are you sure you want to remove the bookmark \"%1$s\"?" msgstr "האם אתה בטוח כי ברצונך להסיר את איש קשר זה?" -#: dist/converse-no-dependencies.js:32104 -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:44898 -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:32704 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:45498 +#: dist/converse-no-dependencies.js:46823 msgid "Error" msgstr "שגיאה" -#: dist/converse-no-dependencies.js:32104 +#: dist/converse-no-dependencies.js:32704 #, fuzzy msgid "Sorry, something went wrong while trying to save your bookmark." msgstr "מצטערים, היתה שגיאה במהלך ניסיון להסיר את " -#: dist/converse-no-dependencies.js:32195 -#: dist/converse-no-dependencies.js:47421 +#: dist/converse-no-dependencies.js:32795 +#: dist/converse-no-dependencies.js:48030 #, fuzzy msgid "Leave this groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:32196 +#: dist/converse-no-dependencies.js:32796 msgid "Remove this bookmark" msgstr "" -#: dist/converse-no-dependencies.js:32197 -#: dist/converse-no-dependencies.js:47422 +#: dist/converse-no-dependencies.js:32797 +#: dist/converse-no-dependencies.js:48031 #, fuzzy msgid "Unbookmark this groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:32198 -#: dist/converse-no-dependencies.js:40905 -#: dist/converse-no-dependencies.js:47424 +#: dist/converse-no-dependencies.js:32798 +#: dist/converse-no-dependencies.js:41505 +#: dist/converse-no-dependencies.js:48033 #, fuzzy msgid "Show more information on this groupchat" msgstr "הצג עוד מידע אודות חדר זה" -#: dist/converse-no-dependencies.js:32201 -#: dist/converse-no-dependencies.js:40904 -#: dist/converse-no-dependencies.js:47426 +#: dist/converse-no-dependencies.js:32801 +#: dist/converse-no-dependencies.js:41504 +#: dist/converse-no-dependencies.js:48035 #, fuzzy msgid "Click to open this groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:32240 +#: dist/converse-no-dependencies.js:32840 #, fuzzy msgid "Click to toggle the bookmarks list" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:32241 +#: dist/converse-no-dependencies.js:32841 msgid "Bookmarks" msgstr "" -#: dist/converse-no-dependencies.js:32660 +#: dist/converse-no-dependencies.js:33260 msgid "Sorry, could not determine file upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32668 +#: dist/converse-no-dependencies.js:33268 msgid "Sorry, could not determine upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32703 +#: dist/converse-no-dependencies.js:33303 #, javascript-format msgid "" "Sorry, could not succesfully upload your file. Your server’s response: \"%1$s" "\"" msgstr "" -#: dist/converse-no-dependencies.js:32705 +#: dist/converse-no-dependencies.js:33305 msgid "Sorry, could not succesfully upload your file." msgstr "" -#: dist/converse-no-dependencies.js:32950 +#: dist/converse-no-dependencies.js:33550 msgid "Sorry, looks like file upload is not supported by your server." msgstr "" -#: dist/converse-no-dependencies.js:32960 +#: dist/converse-no-dependencies.js:33560 #, javascript-format msgid "" "The size of your file, %1$s, exceeds the maximum allowed by your server, " "which is %2$s." msgstr "" -#: dist/converse-no-dependencies.js:33182 +#: dist/converse-no-dependencies.js:33782 msgid "Sorry, an error occurred:" msgstr "" -#: dist/converse-no-dependencies.js:33860 +#: dist/converse-no-dependencies.js:34460 #, fuzzy msgid "Close this chat box" msgstr "לחץ כדי לשחזר את שיחה זו" -#: dist/converse-no-dependencies.js:33937 -#: dist/converse-no-dependencies.js:49200 +#: dist/converse-no-dependencies.js:34537 +#: dist/converse-no-dependencies.js:49809 msgid "Are you sure you want to remove this contact?" msgstr "האם אתה בטוח כי ברצונך להסיר את איש קשר זה?" -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:49208 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:49817 #, fuzzy, javascript-format msgid "Sorry, there was an error while trying to remove %1$s as a contact." msgstr "מצטערים, היתה שגיאה במהלך ניסיון להסיר את " -#: dist/converse-no-dependencies.js:34000 -#: dist/converse-no-dependencies.js:34040 +#: dist/converse-no-dependencies.js:34600 +#: dist/converse-no-dependencies.js:34640 #, fuzzy msgid "You have unread messages" msgstr "הסר הודעות" -#: dist/converse-no-dependencies.js:34026 +#: dist/converse-no-dependencies.js:34626 #, fuzzy msgid "Hidden message" msgstr "הודעה אישית" -#: dist/converse-no-dependencies.js:34028 +#: dist/converse-no-dependencies.js:34628 msgid "Message" msgstr "הודעה" -#: dist/converse-no-dependencies.js:34035 +#: dist/converse-no-dependencies.js:34635 msgid "Send" msgstr "" -#: dist/converse-no-dependencies.js:34036 +#: dist/converse-no-dependencies.js:34636 msgid "Optional hint" msgstr "" -#: dist/converse-no-dependencies.js:34074 +#: dist/converse-no-dependencies.js:34674 msgid "Choose a file to send" msgstr "" -#: dist/converse-no-dependencies.js:34130 +#: dist/converse-no-dependencies.js:34730 #, fuzzy msgid "Click to write as a normal (non-spoiler) message" msgstr "לחץ כאן כדי לכתוב הודעת מצב מותאמת" -#: dist/converse-no-dependencies.js:34132 +#: dist/converse-no-dependencies.js:34732 #, fuzzy msgid "Click to write your message as a spoiler" msgstr "לחץ כאן כדי לכתוב הודעת מצב מותאמת" -#: dist/converse-no-dependencies.js:34136 +#: dist/converse-no-dependencies.js:34736 msgid "Clear all messages" msgstr "טהר את כל ההודעות" -#: dist/converse-no-dependencies.js:34137 +#: dist/converse-no-dependencies.js:34737 #, fuzzy msgid "Insert emojis" msgstr "הכנס סמיילי" -#: dist/converse-no-dependencies.js:34138 +#: dist/converse-no-dependencies.js:34738 msgid "Start a call" msgstr "התחל שיחה" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Remove messages" msgstr "הסר הודעות" -#: dist/converse-no-dependencies.js:34455 +#: dist/converse-no-dependencies.js:35055 msgid "Write in the third person" msgstr "כתוב בגוף השלישי" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Show this menu" msgstr "הצג את תפריט זה" -#: dist/converse-no-dependencies.js:34676 +#: dist/converse-no-dependencies.js:35276 #, fuzzy msgid "Are you sure you want to clear the messages from this conversation?" msgstr "האם אתה בטוח כי ברצונך לטהר את ההודעות מתוך תיבת שיחה זה?" -#: dist/converse-no-dependencies.js:34792 +#: dist/converse-no-dependencies.js:35392 #, fuzzy, javascript-format msgid "%1$s has gone offline" msgstr "כבר לא מקוון" -#: dist/converse-no-dependencies.js:34794 -#: dist/converse-no-dependencies.js:39805 +#: dist/converse-no-dependencies.js:35394 +#: dist/converse-no-dependencies.js:40405 #, fuzzy, javascript-format msgid "%1$s has gone away" msgstr "נעדר(ת)" -#: dist/converse-no-dependencies.js:34796 +#: dist/converse-no-dependencies.js:35396 #, fuzzy, javascript-format msgid "%1$s is busy" msgstr "עסוק(ה) כעת" -#: dist/converse-no-dependencies.js:34798 +#: dist/converse-no-dependencies.js:35398 #, fuzzy, javascript-format msgid "%1$s is online" msgstr "מקוון" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 #, fuzzy msgid "Username" msgstr "שם משתמש XMPP:" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "user@domain" msgstr "" -#: dist/converse-no-dependencies.js:35446 -#: dist/converse-no-dependencies.js:48809 +#: dist/converse-no-dependencies.js:36046 +#: dist/converse-no-dependencies.js:49418 msgid "Please enter a valid XMPP address" msgstr "" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 #, fuzzy msgid "Chat Contacts" msgstr "אנשי קשר" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Toggle chat" msgstr "הפעל שיח" -#: dist/converse-no-dependencies.js:36182 +#: dist/converse-no-dependencies.js:36782 msgid "The connection has dropped, attempting to reconnect." msgstr "" -#: dist/converse-no-dependencies.js:36282 +#: dist/converse-no-dependencies.js:36882 #, fuzzy msgid "An error occurred while connecting to the chat server." msgstr "אירעה שגיאה במהלך ניסיון שמירת הטופס." -#: dist/converse-no-dependencies.js:36289 +#: dist/converse-no-dependencies.js:36889 msgid "Your Jabber ID and/or password is incorrect. Please try again." msgstr "" -#: dist/converse-no-dependencies.js:36301 +#: dist/converse-no-dependencies.js:36901 #, javascript-format msgid "Sorry, we could not connect to the XMPP host with domain: %1$s" msgstr "" -#: dist/converse-no-dependencies.js:36303 +#: dist/converse-no-dependencies.js:36903 msgid "The XMPP server did not offer a supported authentication mechanism" msgstr "" -#: dist/converse-no-dependencies.js:39746 +#: dist/converse-no-dependencies.js:40346 #, fuzzy msgid "Show more" msgstr "הצג חדרים" -#: dist/converse-no-dependencies.js:39794 +#: dist/converse-no-dependencies.js:40394 msgid "Typing from another device" msgstr "" -#: dist/converse-no-dependencies.js:39796 +#: dist/converse-no-dependencies.js:40396 #, fuzzy, javascript-format msgid "%1$s is typing" msgstr "מקליד(ה) כעת" -#: dist/converse-no-dependencies.js:39800 +#: dist/converse-no-dependencies.js:40400 msgid "Stopped typing on the other device" msgstr "" -#: dist/converse-no-dependencies.js:39802 +#: dist/converse-no-dependencies.js:40402 #, fuzzy, javascript-format msgid "%1$s has stopped typing" msgstr "חדל(ה) להקליד" -#: dist/converse-no-dependencies.js:39837 +#: dist/converse-no-dependencies.js:40437 msgid "Unencryptable OMEMO message" msgstr "" -#: dist/converse-no-dependencies.js:40055 -#: dist/converse-no-dependencies.js:40098 +#: dist/converse-no-dependencies.js:40655 +#: dist/converse-no-dependencies.js:40698 msgid "Minimize this chat box" msgstr "" -#: dist/converse-no-dependencies.js:40231 +#: dist/converse-no-dependencies.js:40831 msgid "Click to restore this chat" msgstr "לחץ כדי לשחזר את שיחה זו" -#: dist/converse-no-dependencies.js:40420 +#: dist/converse-no-dependencies.js:41020 msgid "Minimized" msgstr "ממוזער" # חדר זה אינו עלום -#: dist/converse-no-dependencies.js:40747 +#: dist/converse-no-dependencies.js:41347 #, fuzzy msgid "This groupchat is not anonymous" msgstr "חדר זה אינו אנונימי" -#: dist/converse-no-dependencies.js:40748 +#: dist/converse-no-dependencies.js:41348 #, fuzzy msgid "This groupchat now shows unavailable members" msgstr "חדר זה כעת מציג חברים לא זמינים" -#: dist/converse-no-dependencies.js:40749 +#: dist/converse-no-dependencies.js:41349 #, fuzzy msgid "This groupchat does not show unavailable members" msgstr "חדר זה לא מציג חברים לא זמינים" -#: dist/converse-no-dependencies.js:40750 +#: dist/converse-no-dependencies.js:41350 #, fuzzy msgid "The groupchat configuration has changed" msgstr "תצורת חדר אשר לא-קשורה-בפרטיות שונתה" -#: dist/converse-no-dependencies.js:40751 +#: dist/converse-no-dependencies.js:41351 #, fuzzy msgid "groupchat logging is now enabled" msgstr "יומן חדר הינו מופעל כעת" -#: dist/converse-no-dependencies.js:40752 +#: dist/converse-no-dependencies.js:41352 #, fuzzy msgid "groupchat logging is now disabled" msgstr "יומן חדר הינו מנוטרל כעת" -#: dist/converse-no-dependencies.js:40753 +#: dist/converse-no-dependencies.js:41353 #, fuzzy msgid "This groupchat is now no longer anonymous" msgstr "חדר זה אינו אנונימי כעת" -#: dist/converse-no-dependencies.js:40754 +#: dist/converse-no-dependencies.js:41354 #, fuzzy msgid "This groupchat is now semi-anonymous" msgstr "חדר זה הינו אנונימי-למחצה כעת" -#: dist/converse-no-dependencies.js:40755 +#: dist/converse-no-dependencies.js:41355 #, fuzzy msgid "This groupchat is now fully-anonymous" msgstr "חדר זה הינו אנונימי-לחלוטין כעת" -#: dist/converse-no-dependencies.js:40756 +#: dist/converse-no-dependencies.js:41356 #, fuzzy msgid "A new groupchat has been created" msgstr "חדר חדש נוצר" -#: dist/converse-no-dependencies.js:40759 +#: dist/converse-no-dependencies.js:41359 #, fuzzy msgid "You have been banned from this groupchat" msgstr "נאסרת מתוך חדר זה" -#: dist/converse-no-dependencies.js:40760 +#: dist/converse-no-dependencies.js:41360 #, fuzzy msgid "You have been kicked from this groupchat" msgstr "נבעטת מתוך חדר זה" -#: dist/converse-no-dependencies.js:40761 +#: dist/converse-no-dependencies.js:41361 #, fuzzy msgid "" "You have been removed from this groupchat because of an affiliation change" msgstr "הוסרת מתוך חדר זה משום שינוי שיוך" -#: dist/converse-no-dependencies.js:40762 +#: dist/converse-no-dependencies.js:41362 #, fuzzy msgid "" "You have been removed from this groupchat because the groupchat has changed " "to members-only and you're not a member" msgstr "הוסרת מתוך חדר זה משום שהחדר שונה לחברים-בלבד ואינך במעמד של חבר" -#: dist/converse-no-dependencies.js:40763 +#: dist/converse-no-dependencies.js:41363 #, fuzzy msgid "" "You have been removed from this groupchat because the service hosting it is " @@ -426,1201 +426,1201 @@ msgstr "" #. * can then at least tell gettext to scan for it so that these #. * strings are picked up by the translation machinery. #. -#: dist/converse-no-dependencies.js:40776 +#: dist/converse-no-dependencies.js:41376 #, fuzzy, javascript-format msgid "%1$s has been banned" msgstr "%1$s נאסר(ה)" -#: dist/converse-no-dependencies.js:40777 +#: dist/converse-no-dependencies.js:41377 #, fuzzy, javascript-format msgid "%1$s's nickname has changed" msgstr "השם כינוי של%1$s השתנה" -#: dist/converse-no-dependencies.js:40778 +#: dist/converse-no-dependencies.js:41378 #, fuzzy, javascript-format msgid "%1$s has been kicked out" msgstr "%1$s נבעט(ה)" -#: dist/converse-no-dependencies.js:40779 +#: dist/converse-no-dependencies.js:41379 #, fuzzy, javascript-format msgid "%1$s has been removed because of an affiliation change" msgstr "%1$s הוסרה(ה) משום שינוי שיוך" # היותו(ה) -#: dist/converse-no-dependencies.js:40780 +#: dist/converse-no-dependencies.js:41380 #, fuzzy, javascript-format msgid "%1$s has been removed for not being a member" msgstr "%1$s הוסר(ה) משום אי הימצאות במסגרת מעמד של חבר" -#: dist/converse-no-dependencies.js:40783 +#: dist/converse-no-dependencies.js:41383 #, fuzzy, javascript-format msgid "Your nickname has been automatically set to %1$s" msgstr "השם כינוי שלך שונה אוטומטית בשם: %1$s" -#: dist/converse-no-dependencies.js:40784 +#: dist/converse-no-dependencies.js:41384 #, fuzzy, javascript-format msgid "Your nickname has been changed to %1$s" msgstr "השם כינוי שלך שונה בשם: %1$s" -#: dist/converse-no-dependencies.js:40815 +#: dist/converse-no-dependencies.js:41415 msgid "Description:" msgstr "תיאור:" -#: dist/converse-no-dependencies.js:40816 +#: dist/converse-no-dependencies.js:41416 #, fuzzy msgid "Groupchat Address (JID):" msgstr "שם חדר" -#: dist/converse-no-dependencies.js:40817 +#: dist/converse-no-dependencies.js:41417 #, fuzzy msgid "Participants:" msgstr "נוכחים:" -#: dist/converse-no-dependencies.js:40818 +#: dist/converse-no-dependencies.js:41418 msgid "Features:" msgstr "תכונות:" -#: dist/converse-no-dependencies.js:40819 +#: dist/converse-no-dependencies.js:41419 msgid "Requires authentication" msgstr "מצריך אישור" -#: dist/converse-no-dependencies.js:40820 -#: dist/converse-no-dependencies.js:51007 -#: dist/converse-no-dependencies.js:51163 +#: dist/converse-no-dependencies.js:41420 +#: dist/converse-no-dependencies.js:51616 +#: dist/converse-no-dependencies.js:51772 msgid "Hidden" msgstr "נסתר" -#: dist/converse-no-dependencies.js:40821 +#: dist/converse-no-dependencies.js:41421 msgid "Requires an invitation" msgstr "מצריך הזמנה" -#: dist/converse-no-dependencies.js:40822 -#: dist/converse-no-dependencies.js:51071 -#: dist/converse-no-dependencies.js:51227 +#: dist/converse-no-dependencies.js:41422 +#: dist/converse-no-dependencies.js:51680 +#: dist/converse-no-dependencies.js:51836 msgid "Moderated" msgstr "מבוקר" # לא-עלום -#: dist/converse-no-dependencies.js:40823 +#: dist/converse-no-dependencies.js:41423 msgid "Non-anonymous" msgstr "לא-אנונימי" -#: dist/converse-no-dependencies.js:40824 -#: dist/converse-no-dependencies.js:51031 -#: dist/converse-no-dependencies.js:51187 +#: dist/converse-no-dependencies.js:41424 +#: dist/converse-no-dependencies.js:51640 +#: dist/converse-no-dependencies.js:51796 #, fuzzy msgid "Open" msgstr "חדר פתוח" -#: dist/converse-no-dependencies.js:40825 +#: dist/converse-no-dependencies.js:41425 #, fuzzy msgid "Permanent" msgstr "חדר צמיתה" -#: dist/converse-no-dependencies.js:40826 -#: dist/converse-no-dependencies.js:51015 -#: dist/converse-no-dependencies.js:51171 +#: dist/converse-no-dependencies.js:41426 +#: dist/converse-no-dependencies.js:51624 +#: dist/converse-no-dependencies.js:51780 msgid "Public" msgstr "פומבי" # עלום-למחצה -#: dist/converse-no-dependencies.js:40827 -#: dist/converse-no-dependencies.js:51063 -#: dist/converse-no-dependencies.js:51219 +#: dist/converse-no-dependencies.js:41427 +#: dist/converse-no-dependencies.js:51672 +#: dist/converse-no-dependencies.js:51828 msgid "Semi-anonymous" msgstr "אנונימי-למחצה" -#: dist/converse-no-dependencies.js:40828 -#: dist/converse-no-dependencies.js:51047 -#: dist/converse-no-dependencies.js:51203 +#: dist/converse-no-dependencies.js:41428 +#: dist/converse-no-dependencies.js:51656 +#: dist/converse-no-dependencies.js:51812 #, fuzzy msgid "Temporary" msgstr "חדר זמני" -#: dist/converse-no-dependencies.js:40829 +#: dist/converse-no-dependencies.js:41429 msgid "Unmoderated" msgstr "לא מבוקר" -#: dist/converse-no-dependencies.js:40865 +#: dist/converse-no-dependencies.js:41465 #, fuzzy msgid "Query for Groupchats" msgstr "אסור משתמש מתוך חדר" -#: dist/converse-no-dependencies.js:40866 +#: dist/converse-no-dependencies.js:41466 #, fuzzy msgid "Server address" msgstr "שרת" -#: dist/converse-no-dependencies.js:40867 +#: dist/converse-no-dependencies.js:41467 #, fuzzy msgid "Show groupchats" msgstr "קבוצות" -#: dist/converse-no-dependencies.js:40868 +#: dist/converse-no-dependencies.js:41468 #, fuzzy msgid "conference.example.org" msgstr "למשל user@example.com" -#: dist/converse-no-dependencies.js:40917 +#: dist/converse-no-dependencies.js:41517 #, fuzzy msgid "No groupchats found" msgstr "לא נמצאו משתמשים" -#: dist/converse-no-dependencies.js:40934 +#: dist/converse-no-dependencies.js:41534 #, fuzzy msgid "Groupchats found:" msgstr "קבוצות" -#: dist/converse-no-dependencies.js:40984 +#: dist/converse-no-dependencies.js:41584 #, fuzzy msgid "Enter a new Groupchat" msgstr "חדר פתוח" -#: dist/converse-no-dependencies.js:40985 +#: dist/converse-no-dependencies.js:41585 #, fuzzy msgid "Groupchat address" msgstr "שם חדר" -#: dist/converse-no-dependencies.js:40986 -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:41586 +#: dist/converse-no-dependencies.js:49410 msgid "Optional nickname" msgstr "" -#: dist/converse-no-dependencies.js:40987 +#: dist/converse-no-dependencies.js:41587 msgid "name@conference.example.org" msgstr "" -#: dist/converse-no-dependencies.js:40988 +#: dist/converse-no-dependencies.js:41588 #, fuzzy msgid "Join" msgstr "הצטרף לחדר" -#: dist/converse-no-dependencies.js:41036 +#: dist/converse-no-dependencies.js:41636 #, javascript-format msgid "Groupchat info for %1$s" msgstr "" -#: dist/converse-no-dependencies.js:41212 +#: dist/converse-no-dependencies.js:41812 #, fuzzy, javascript-format msgid "%1$s is no longer an admin of this groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:41214 +#: dist/converse-no-dependencies.js:41814 #, fuzzy, javascript-format msgid "%1$s is no longer an owner of this groupchat" msgstr "הענק בעלות על חדר זה" -#: dist/converse-no-dependencies.js:41216 +#: dist/converse-no-dependencies.js:41816 #, fuzzy, javascript-format msgid "%1$s is no longer banned from this groupchat" msgstr "נאסרת מתוך חדר זה" -#: dist/converse-no-dependencies.js:41220 +#: dist/converse-no-dependencies.js:41820 #, fuzzy, javascript-format msgid "%1$s is no longer a permanent member of this groupchat" msgstr "אינך ברשימת החברים של חדר זה" -#: dist/converse-no-dependencies.js:41224 +#: dist/converse-no-dependencies.js:41824 #, fuzzy, javascript-format msgid "%1$s is now a permanent member of this groupchat" msgstr "אינך ברשימת החברים של חדר זה" -#: dist/converse-no-dependencies.js:41226 +#: dist/converse-no-dependencies.js:41826 #, fuzzy, javascript-format msgid "%1$s has been banned from this groupchat" msgstr "נאסרת מתוך חדר זה" -#: dist/converse-no-dependencies.js:41228 +#: dist/converse-no-dependencies.js:41828 #, fuzzy, javascript-format msgid "%1$s is now an " msgstr "משתמש זה הינו אחראי" -#: dist/converse-no-dependencies.js:41235 +#: dist/converse-no-dependencies.js:41835 #, fuzzy, javascript-format msgid "%1$s is no longer a moderator" msgstr "משתמש זה הינו אחראי" -#: dist/converse-no-dependencies.js:41239 +#: dist/converse-no-dependencies.js:41839 #, fuzzy, javascript-format msgid "%1$s has been given a voice again" msgstr "%1$s נבעט(ה)" -#: dist/converse-no-dependencies.js:41243 +#: dist/converse-no-dependencies.js:41843 #, fuzzy, javascript-format msgid "%1$s has been muted" msgstr "%1$s נאסר(ה)" -#: dist/converse-no-dependencies.js:41247 +#: dist/converse-no-dependencies.js:41847 #, fuzzy, javascript-format msgid "%1$s is now a moderator" msgstr "משתמש זה הינו אחראי" -#: dist/converse-no-dependencies.js:41255 +#: dist/converse-no-dependencies.js:41855 #, fuzzy msgid "Close and leave this groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:41256 +#: dist/converse-no-dependencies.js:41856 #, fuzzy msgid "Configure this groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:41257 +#: dist/converse-no-dependencies.js:41857 #, fuzzy msgid "Show more details about this groupchat" msgstr "הצג עוד מידע אודות חדר זה" -#: dist/converse-no-dependencies.js:41297 +#: dist/converse-no-dependencies.js:41897 #, fuzzy msgid "Hide the list of participants" msgstr "הסתר רשימת משתתפים" -#: dist/converse-no-dependencies.js:41413 +#: dist/converse-no-dependencies.js:42013 msgid "Forbidden: you do not have the necessary role in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41425 +#: dist/converse-no-dependencies.js:42025 msgid "" "Forbidden: you do not have the necessary affiliation in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41436 +#: dist/converse-no-dependencies.js:42036 #, javascript-format msgid "" "Error: the \"%1$s\" command takes two arguments, the user's nickname and " "optionally a reason." msgstr "" -#: dist/converse-no-dependencies.js:41445 +#: dist/converse-no-dependencies.js:42045 #, javascript-format msgid "Error: couldn't find a groupchat participant \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:41454 +#: dist/converse-no-dependencies.js:42054 msgid "" "Sorry, an error happened while running the command. Check your browser's " "developer console for details." msgstr "" # שייכות -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user's affiliation to admin" msgstr "שנה סינוף משתמש למנהל" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Ban user from groupchat" msgstr "אסור משתמש מתוך חדר" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Change user role to participant" msgstr "שנה תפקיד משתמש למשתתף" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Kick user from groupchat" msgstr "בעט משתמש מתוך חדר" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Write in 3rd person" msgstr "כתוב בגוף שלישי" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant membership to a user" msgstr "הענק חברות למשתמש" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Remove user's ability to post messages" msgstr "הסר יכולת משתמש לפרסם הודעות" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change your nickname" msgstr "שנה את השם כינוי שלך" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant moderator role to user" msgstr "הענק תפקיד אחראי למשתמש" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Grant ownership of this groupchat" msgstr "הענק בעלות על חדר זה" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Register a nickname for this room" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Revoke user's membership" msgstr "שלול חברות משתמש" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Set groupchat subject" msgstr "קבע נושא חדר" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject (alias for /subject)" msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Allow muted user to post messages" msgstr "התר למשתמש מושתק לפרסם הודעות" -#: dist/converse-no-dependencies.js:41598 +#: dist/converse-no-dependencies.js:42198 msgid "Error: invalid number of arguments" msgstr "" -#: dist/converse-no-dependencies.js:41848 +#: dist/converse-no-dependencies.js:42448 msgid "" "The nickname you chose is reserved or currently in use, please choose a " "different one." msgstr "" -#: dist/converse-no-dependencies.js:41874 +#: dist/converse-no-dependencies.js:42474 #, fuzzy msgid "Please choose your nickname" msgstr "שנה את השם כינוי שלך" -#: dist/converse-no-dependencies.js:41875 -#: dist/converse-no-dependencies.js:46177 -#: dist/converse-no-dependencies.js:53489 +#: dist/converse-no-dependencies.js:42475 +#: dist/converse-no-dependencies.js:46786 +#: dist/converse-no-dependencies.js:54098 msgid "Nickname" msgstr "שם כינוי" -#: dist/converse-no-dependencies.js:41876 +#: dist/converse-no-dependencies.js:42476 #, fuzzy msgid "Enter groupchat" msgstr "חדר פתוח" -#: dist/converse-no-dependencies.js:41897 +#: dist/converse-no-dependencies.js:42497 #, fuzzy msgid "This groupchat requires a password" msgstr "חדר שיחה זה מצריך סיסמה" -#: dist/converse-no-dependencies.js:41898 +#: dist/converse-no-dependencies.js:42498 msgid "Password: " msgstr "סיסמה: " -#: dist/converse-no-dependencies.js:41899 +#: dist/converse-no-dependencies.js:42499 msgid "Submit" msgstr "שלח" -#: dist/converse-no-dependencies.js:42021 +#: dist/converse-no-dependencies.js:42621 #, fuzzy, javascript-format msgid "This action was done by %1$s." msgstr "השם כינוי שלך שונה בשם: %1$s" -#: dist/converse-no-dependencies.js:42025 -#: dist/converse-no-dependencies.js:42043 +#: dist/converse-no-dependencies.js:42625 +#: dist/converse-no-dependencies.js:42643 #, fuzzy, javascript-format msgid "The reason given is: \"%1$s\"." msgstr "הסיבה שניתנה היא: \"" -#: dist/converse-no-dependencies.js:42075 +#: dist/converse-no-dependencies.js:42675 #, fuzzy, javascript-format msgid "%1$s has left and re-entered the groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:42088 +#: dist/converse-no-dependencies.js:42688 #, fuzzy, javascript-format msgid "%1$s has entered the groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:42090 +#: dist/converse-no-dependencies.js:42690 #, fuzzy, javascript-format msgid "%1$s has entered the groupchat. \"%2$s\"" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:42125 +#: dist/converse-no-dependencies.js:42725 #, fuzzy, javascript-format msgid "%1$s has entered and left the groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:42127 +#: dist/converse-no-dependencies.js:42727 #, fuzzy, javascript-format msgid "%1$s has entered and left the groupchat. \"%2$s\"" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:42147 +#: dist/converse-no-dependencies.js:42747 #, fuzzy, javascript-format msgid "%1$s has left the groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:42149 +#: dist/converse-no-dependencies.js:42749 #, fuzzy, javascript-format msgid "%1$s has left the groupchat. \"%2$s\"" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:42196 +#: dist/converse-no-dependencies.js:42796 #, fuzzy msgid "You are not on the member list of this groupchat." msgstr "אינך ברשימת החברים של חדר זה" -#: dist/converse-no-dependencies.js:42198 +#: dist/converse-no-dependencies.js:42798 #, fuzzy msgid "You have been banned from this groupchat." msgstr "נאסרת מתוך חדר זה" # אף שם כינוי לא צוין -#: dist/converse-no-dependencies.js:42202 +#: dist/converse-no-dependencies.js:42802 #, fuzzy msgid "No nickname was specified." msgstr "לא צוין שום שם כינוי" # אינך מורשה -#: dist/converse-no-dependencies.js:42206 +#: dist/converse-no-dependencies.js:42806 #, fuzzy msgid "You are not allowed to create new groupchats." msgstr "אין לך רשות ליצור חדרים חדשים" -#: dist/converse-no-dependencies.js:42208 +#: dist/converse-no-dependencies.js:42808 #, fuzzy msgid "Your nickname doesn't conform to this groupchat's policies." msgstr "השם כינוי שלך לא תואם את המדינויות של חדר זה" -#: dist/converse-no-dependencies.js:42212 +#: dist/converse-no-dependencies.js:42812 #, fuzzy msgid "This groupchat does not (yet) exist." msgstr "חדר זה (עדיין) לא קיים" -#: dist/converse-no-dependencies.js:42214 +#: dist/converse-no-dependencies.js:42814 #, fuzzy msgid "This groupchat has reached its maximum number of participants." msgstr "חדר זה הגיע לסף הנוכחים המרבי שלו" -#: dist/converse-no-dependencies.js:42216 +#: dist/converse-no-dependencies.js:42816 msgid "Remote server not found" msgstr "" -#: dist/converse-no-dependencies.js:42221 +#: dist/converse-no-dependencies.js:42821 #, fuzzy, javascript-format msgid "The explanation given is: \"%1$s\"." msgstr "הסיבה שניתנה היא: \"" -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, fuzzy, javascript-format msgid "Topic set by %1$s" msgstr "נושא חדר זה נקבע על ידי %1$s אל: %2$s" -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, fuzzy, javascript-format msgid "Topic cleared by %1$s" msgstr "נושא חדר זה נקבע על ידי %1$s אל: %2$s" -#: dist/converse-no-dependencies.js:42303 +#: dist/converse-no-dependencies.js:42903 #, fuzzy msgid "Groupchats" msgstr "קבוצות" -#: dist/converse-no-dependencies.js:42304 +#: dist/converse-no-dependencies.js:42904 #, fuzzy msgid "Add a new groupchat" msgstr "חדר פתוח" -#: dist/converse-no-dependencies.js:42305 +#: dist/converse-no-dependencies.js:42905 #, fuzzy msgid "Query for groupchats" msgstr "אסור משתמש מתוך חדר" -#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:42943 #, fuzzy, javascript-format msgid "Click to mention %1$s in your message." msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:42944 #, fuzzy msgid "This user is a moderator." msgstr "משתמש זה הינו אחראי" -#: dist/converse-no-dependencies.js:42345 +#: dist/converse-no-dependencies.js:42945 #, fuzzy msgid "This user can send messages in this groupchat." msgstr "משתמש זה מסוגל לשלוח הודעות בתוך חדר זה" -#: dist/converse-no-dependencies.js:42346 +#: dist/converse-no-dependencies.js:42946 #, fuzzy msgid "This user can NOT send messages in this groupchat." msgstr "משתמש זה ﬥﬡ מסוגל לשלוח הודעות בתוך חדר זה" -#: dist/converse-no-dependencies.js:42347 +#: dist/converse-no-dependencies.js:42947 #, fuzzy msgid "Moderator" msgstr "מבוקר" -#: dist/converse-no-dependencies.js:42348 +#: dist/converse-no-dependencies.js:42948 msgid "Visitor" msgstr "" -#: dist/converse-no-dependencies.js:42349 +#: dist/converse-no-dependencies.js:42949 msgid "Owner" msgstr "" -#: dist/converse-no-dependencies.js:42350 +#: dist/converse-no-dependencies.js:42950 msgid "Member" msgstr "" -#: dist/converse-no-dependencies.js:42351 +#: dist/converse-no-dependencies.js:42951 msgid "Admin" msgstr "" -#: dist/converse-no-dependencies.js:42393 +#: dist/converse-no-dependencies.js:42993 msgid "Participants" msgstr "" -#: dist/converse-no-dependencies.js:42410 -#: dist/converse-no-dependencies.js:42491 +#: dist/converse-no-dependencies.js:43010 +#: dist/converse-no-dependencies.js:43091 msgid "Invite" msgstr "הזמנה" -#: dist/converse-no-dependencies.js:42468 +#: dist/converse-no-dependencies.js:43068 #, fuzzy, javascript-format msgid "" "You are about to invite %1$s to the groupchat \"%2$s\". You may optionally " "include a message, explaining the reason for the invitation." msgstr "באפשרותך להכליל הודעה, אשר מסבירה את הסיבה להזמנה." -#: dist/converse-no-dependencies.js:42490 +#: dist/converse-no-dependencies.js:43090 msgid "Please enter a valid XMPP username" msgstr "" # אינך מורשה -#: dist/converse-no-dependencies.js:43621 +#: dist/converse-no-dependencies.js:44221 #, fuzzy msgid "You're not allowed to register yourself in this groupchat." msgstr "אין לך רשות ליצור חדרים חדשים" # אינך מורשה -#: dist/converse-no-dependencies.js:43623 +#: dist/converse-no-dependencies.js:44223 #, fuzzy msgid "" "You're not allowed to register in this groupchat because it's members-only." msgstr "אין לך רשות ליצור חדרים חדשים" -#: dist/converse-no-dependencies.js:43656 +#: dist/converse-no-dependencies.js:44256 msgid "" "Can't register your nickname in this groupchat, it doesn't support " "registration." msgstr "" -#: dist/converse-no-dependencies.js:43658 +#: dist/converse-no-dependencies.js:44258 msgid "" "Can't register your nickname in this groupchat, invalid data form supplied." msgstr "" -#: dist/converse-no-dependencies.js:44118 +#: dist/converse-no-dependencies.js:44718 #, fuzzy, javascript-format msgid "%1$s has invited you to join a groupchat: %2$s" msgstr "%1$s הזמינך להצטרף לחדר שיחה: %2$s" -#: dist/converse-no-dependencies.js:44120 +#: dist/converse-no-dependencies.js:44720 #, fuzzy, javascript-format msgid "" "%1$s has invited you to join a groupchat: %2$s, and left the following " "reason: \"%3$s\"" msgstr "%1$s הזמינך להצטרף לחדר שיחה: %2$s, והשאיר את הסיבה הבאה: \"%3$s\"" -#: dist/converse-no-dependencies.js:44209 +#: dist/converse-no-dependencies.js:44809 #, fuzzy msgid "Error: the groupchat " msgstr "חדר פתוח" # אינך מורשה -#: dist/converse-no-dependencies.js:44211 +#: dist/converse-no-dependencies.js:44811 #, fuzzy msgid "Sorry, you're not allowed to registerd in this groupchat" msgstr "אין לך רשות ליצור חדרים חדשים" #. workaround for Prosody which doesn't give type "headline" -#: dist/converse-no-dependencies.js:44596 -#: dist/converse-no-dependencies.js:44602 +#: dist/converse-no-dependencies.js:45196 +#: dist/converse-no-dependencies.js:45202 #, javascript-format msgid "Notification from %1$s" msgstr "" -#: dist/converse-no-dependencies.js:44604 -#: dist/converse-no-dependencies.js:44615 -#: dist/converse-no-dependencies.js:44618 +#: dist/converse-no-dependencies.js:45204 +#: dist/converse-no-dependencies.js:45215 +#: dist/converse-no-dependencies.js:45218 #, javascript-format msgid "%1$s says" msgstr "" #. TODO: we should suppress notifications if we cannot decrypt #. the message... -#: dist/converse-no-dependencies.js:44627 +#: dist/converse-no-dependencies.js:45227 msgid "OMEMO Message received" msgstr "" -#: dist/converse-no-dependencies.js:44654 +#: dist/converse-no-dependencies.js:45254 msgid "has gone offline" msgstr "כבר לא מקוון" -#: dist/converse-no-dependencies.js:44656 +#: dist/converse-no-dependencies.js:45256 msgid "has gone away" msgstr "נעדר(ת)" -#: dist/converse-no-dependencies.js:44658 +#: dist/converse-no-dependencies.js:45258 msgid "is busy" msgstr "עסוק(ה) כעת" -#: dist/converse-no-dependencies.js:44660 +#: dist/converse-no-dependencies.js:45260 #, fuzzy msgid "has come online" msgstr "כבר לא מקוון" -#: dist/converse-no-dependencies.js:44677 +#: dist/converse-no-dependencies.js:45277 msgid "wants to be your contact" msgstr "" -#: dist/converse-no-dependencies.js:44898 +#: dist/converse-no-dependencies.js:45498 #, fuzzy msgid "Sorry, an error occurred while trying to remove the devices." msgstr "אירעה שגיאה במהלך ניסיון שמירת הטופס." -#: dist/converse-no-dependencies.js:45021 +#: dist/converse-no-dependencies.js:45630 msgid "Sorry, could not decrypt a received OMEMO message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:45172 +#: dist/converse-no-dependencies.js:45781 msgid "" "This is an OMEMO encrypted message which your client doesn’t seem to " "support. Find more information on https://conversations.im/omemo" msgstr "" -#: dist/converse-no-dependencies.js:45233 +#: dist/converse-no-dependencies.js:45842 msgid "Sorry, could not send the message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:46171 +#: dist/converse-no-dependencies.js:46780 msgid "Your avatar image" msgstr "" -#: dist/converse-no-dependencies.js:46172 +#: dist/converse-no-dependencies.js:46781 msgid "Your Profile" msgstr "" -#: dist/converse-no-dependencies.js:46173 -#: dist/converse-no-dependencies.js:46263 -#: dist/converse-no-dependencies.js:51093 -#: dist/converse-no-dependencies.js:52260 -#: dist/converse-no-dependencies.js:53463 -#: dist/converse-no-dependencies.js:53583 +#: dist/converse-no-dependencies.js:46782 +#: dist/converse-no-dependencies.js:46872 +#: dist/converse-no-dependencies.js:51702 +#: dist/converse-no-dependencies.js:52869 +#: dist/converse-no-dependencies.js:54072 +#: dist/converse-no-dependencies.js:54192 msgid "Close" msgstr "" -#: dist/converse-no-dependencies.js:46174 -#: dist/converse-no-dependencies.js:53507 +#: dist/converse-no-dependencies.js:46783 +#: dist/converse-no-dependencies.js:54116 msgid "Email" msgstr "" -#: dist/converse-no-dependencies.js:46175 -#: dist/converse-no-dependencies.js:53477 +#: dist/converse-no-dependencies.js:46784 +#: dist/converse-no-dependencies.js:54086 #, fuzzy msgid "Full Name" msgstr "שם" -#: dist/converse-no-dependencies.js:46176 +#: dist/converse-no-dependencies.js:46785 msgid "XMPP Address (JID)" msgstr "" -#: dist/converse-no-dependencies.js:46178 -#: dist/converse-no-dependencies.js:53517 +#: dist/converse-no-dependencies.js:46787 +#: dist/converse-no-dependencies.js:54126 msgid "Role" msgstr "" -#: dist/converse-no-dependencies.js:46179 +#: dist/converse-no-dependencies.js:46788 msgid "" "Use commas to separate multiple roles. Your roles are shown next to your " "name on your chat messages." msgstr "" -#: dist/converse-no-dependencies.js:46180 -#: dist/converse-no-dependencies.js:53497 +#: dist/converse-no-dependencies.js:46789 +#: dist/converse-no-dependencies.js:54106 msgid "URL" msgstr "" -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 #, fuzzy msgid "Sorry, an error happened while trying to save your profile data." msgstr "מצטערים, היתה שגיאה במהלך ניסיון להסיר את " -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 msgid "You can check your browser's developer console for any error output." msgstr "" -#: dist/converse-no-dependencies.js:46262 -#: dist/converse-no-dependencies.js:48927 +#: dist/converse-no-dependencies.js:46871 +#: dist/converse-no-dependencies.js:49536 msgid "Away" msgstr "נעדר" -#: dist/converse-no-dependencies.js:46264 -#: dist/converse-no-dependencies.js:48926 +#: dist/converse-no-dependencies.js:46873 +#: dist/converse-no-dependencies.js:49535 msgid "Busy" msgstr "עסוק" -#: dist/converse-no-dependencies.js:46266 +#: dist/converse-no-dependencies.js:46875 msgid "Custom status" msgstr "מצב מותאם" -#: dist/converse-no-dependencies.js:46267 -#: dist/converse-no-dependencies.js:48929 +#: dist/converse-no-dependencies.js:46876 +#: dist/converse-no-dependencies.js:49538 msgid "Offline" msgstr "לא מקוון" -#: dist/converse-no-dependencies.js:46268 -#: dist/converse-no-dependencies.js:48924 +#: dist/converse-no-dependencies.js:46877 +#: dist/converse-no-dependencies.js:49533 msgid "Online" msgstr "מקוון" -#: dist/converse-no-dependencies.js:46270 +#: dist/converse-no-dependencies.js:46879 #, fuzzy msgid "Away for long" msgstr "נעדר לזמן מה" -#: dist/converse-no-dependencies.js:46271 +#: dist/converse-no-dependencies.js:46880 #, fuzzy msgid "Change chat status" msgstr "לחץ כדי לשנות את הודעת השיחה שלך" -#: dist/converse-no-dependencies.js:46272 +#: dist/converse-no-dependencies.js:46881 #, fuzzy msgid "Personal status message" msgstr "הודעה אישית" # אני במצב -#: dist/converse-no-dependencies.js:46317 +#: dist/converse-no-dependencies.js:46926 #, javascript-format msgid "I am %1$s" msgstr "מצבי כעת הינו %1$s" -#: dist/converse-no-dependencies.js:46320 +#: dist/converse-no-dependencies.js:46929 msgid "Change settings" msgstr "" -#: dist/converse-no-dependencies.js:46321 +#: dist/converse-no-dependencies.js:46930 msgid "Click to change your chat status" msgstr "לחץ כדי לשנות את הודעת השיחה שלך" -#: dist/converse-no-dependencies.js:46322 +#: dist/converse-no-dependencies.js:46931 msgid "Log out" msgstr "התנתקות" -#: dist/converse-no-dependencies.js:46323 +#: dist/converse-no-dependencies.js:46932 msgid "Your profile" msgstr "" -#: dist/converse-no-dependencies.js:46349 +#: dist/converse-no-dependencies.js:46958 #, fuzzy msgid "Are you sure you want to log out?" msgstr "האם אתה בטוח כי ברצונך להסיר את איש קשר זה?" -#: dist/converse-no-dependencies.js:46357 -#: dist/converse-no-dependencies.js:46367 +#: dist/converse-no-dependencies.js:46966 +#: dist/converse-no-dependencies.js:46976 msgid "online" msgstr "מקוון" -#: dist/converse-no-dependencies.js:46359 +#: dist/converse-no-dependencies.js:46968 msgid "busy" msgstr "עסוק" -#: dist/converse-no-dependencies.js:46361 +#: dist/converse-no-dependencies.js:46970 msgid "away for long" msgstr "נעדר לזמן מה" -#: dist/converse-no-dependencies.js:46363 +#: dist/converse-no-dependencies.js:46972 msgid "away" msgstr "נעדר" -#: dist/converse-no-dependencies.js:46365 +#: dist/converse-no-dependencies.js:46974 msgid "offline" msgstr "לא מקוון" -#: dist/converse-no-dependencies.js:46698 +#: dist/converse-no-dependencies.js:47307 msgid " e.g. conversejs.org" msgstr " למשל conversejs.org" -#: dist/converse-no-dependencies.js:46745 +#: dist/converse-no-dependencies.js:47354 msgid "Fetch registration form" msgstr "משוך טופס הרשמה" -#: dist/converse-no-dependencies.js:46746 +#: dist/converse-no-dependencies.js:47355 msgid "Tip: A list of public XMPP providers is available" msgstr "טיפ: רשימה פומבית של ספקי XMPP הינה זמינה" -#: dist/converse-no-dependencies.js:46747 +#: dist/converse-no-dependencies.js:47356 msgid "here" msgstr "כאן" -#: dist/converse-no-dependencies.js:46795 +#: dist/converse-no-dependencies.js:47404 msgid "Sorry, we're unable to connect to your chosen provider." msgstr "" -#: dist/converse-no-dependencies.js:46811 +#: dist/converse-no-dependencies.js:47420 msgid "" "Sorry, the given provider does not support in band account registration. " "Please try with a different provider." msgstr "" "מצטערים, הספק שניתן לא תומך ברישום חשבונות in band. אנא נסה עם ספק אחר." -#: dist/converse-no-dependencies.js:46835 +#: dist/converse-no-dependencies.js:47444 #, fuzzy, javascript-format msgid "" "Something went wrong while establishing a connection with \"%1$s\". Are you " "sure it exists?" msgstr "משהו השתבש במהלך ביסוס חיבור עם \"%1$s\". האם אתה בטוח כי זה קיים?" -#: dist/converse-no-dependencies.js:46998 +#: dist/converse-no-dependencies.js:47607 msgid "Now logging you in" msgstr "כעת מחבר אותך פנימה" -#: dist/converse-no-dependencies.js:47002 +#: dist/converse-no-dependencies.js:47611 msgid "Registered successfully" msgstr "נרשם בהצלחה" -#: dist/converse-no-dependencies.js:47111 +#: dist/converse-no-dependencies.js:47720 #, fuzzy msgid "" "The provider rejected your registration attempt. Please check the values you " "entered for correctness." msgstr "הספק דחה את ניסיון הרישום שלך. " -#: dist/converse-no-dependencies.js:47486 +#: dist/converse-no-dependencies.js:48095 #, fuzzy msgid "Click to toggle the list of open groupchats" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:47487 +#: dist/converse-no-dependencies.js:48096 msgid "Open Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:47531 +#: dist/converse-no-dependencies.js:48140 #, fuzzy, javascript-format msgid "Are you sure you want to leave the groupchat %1$s?" msgstr "האם אתה בטוח כי ברצונך להסיר את איש קשר זה?" -#: dist/converse-no-dependencies.js:48157 +#: dist/converse-no-dependencies.js:48766 #, fuzzy, javascript-format msgid "Sorry, there was an error while trying to add %1$s as a contact." msgstr "מצטערים, היתה שגיאה במהלך ניסיון הוספת " -#: dist/converse-no-dependencies.js:48368 +#: dist/converse-no-dependencies.js:48977 msgid "This client does not allow presence subscriptions" msgstr "לקוח זה לא מתיר הרשמות נוכחות" -#: dist/converse-no-dependencies.js:48478 +#: dist/converse-no-dependencies.js:49087 msgid "Click to hide these contacts" msgstr "לחץ כדי להסתיר את אנשי קשר אלה" # איש קשר זה הינו -#: dist/converse-no-dependencies.js:48742 +#: dist/converse-no-dependencies.js:49351 msgid "This contact is busy" msgstr "איש קשר זה עסוק" -#: dist/converse-no-dependencies.js:48743 +#: dist/converse-no-dependencies.js:49352 msgid "This contact is online" msgstr "איש קשר זה מקוון" -#: dist/converse-no-dependencies.js:48744 +#: dist/converse-no-dependencies.js:49353 msgid "This contact is offline" msgstr "איש קשר זה אינו מקוון" -#: dist/converse-no-dependencies.js:48745 +#: dist/converse-no-dependencies.js:49354 msgid "This contact is unavailable" msgstr "איש קשר זה לא זמין" -#: dist/converse-no-dependencies.js:48746 +#: dist/converse-no-dependencies.js:49355 msgid "This contact is away for an extended period" msgstr "איש קשר זה נעדר למשך זמן ממושך" -#: dist/converse-no-dependencies.js:48747 +#: dist/converse-no-dependencies.js:49356 msgid "This contact is away" msgstr "איש קשר זה הינו נעדר" -#: dist/converse-no-dependencies.js:48750 +#: dist/converse-no-dependencies.js:49359 msgid "Groups" msgstr "קבוצות" -#: dist/converse-no-dependencies.js:48752 +#: dist/converse-no-dependencies.js:49361 msgid "My contacts" msgstr "האנשי קשר שלי" -#: dist/converse-no-dependencies.js:48754 +#: dist/converse-no-dependencies.js:49363 msgid "Pending contacts" msgstr "אנשי קשר ממתינים" -#: dist/converse-no-dependencies.js:48756 +#: dist/converse-no-dependencies.js:49365 msgid "Contact requests" msgstr "בקשות איש קשר" -#: dist/converse-no-dependencies.js:48758 +#: dist/converse-no-dependencies.js:49367 msgid "Ungrouped" msgstr "ללא קבוצה" -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:49410 msgid "Contact name" msgstr "שם איש קשר" -#: dist/converse-no-dependencies.js:48804 +#: dist/converse-no-dependencies.js:49413 #, fuzzy msgid "Add a Contact" msgstr "הוסף איש קשר" -#: dist/converse-no-dependencies.js:48805 -#: dist/converse-no-dependencies.js:53483 +#: dist/converse-no-dependencies.js:49414 +#: dist/converse-no-dependencies.js:54092 msgid "XMPP Address" msgstr "" -#: dist/converse-no-dependencies.js:48807 +#: dist/converse-no-dependencies.js:49416 #, fuzzy msgid "name@example.org" msgstr "למשל user@example.com" -#: dist/converse-no-dependencies.js:48808 +#: dist/converse-no-dependencies.js:49417 msgid "Add" msgstr "הוסף" -#: dist/converse-no-dependencies.js:48918 +#: dist/converse-no-dependencies.js:49527 msgid "Filter" msgstr "" -#: dist/converse-no-dependencies.js:48919 +#: dist/converse-no-dependencies.js:49528 #, fuzzy msgid "Filter by contact name" msgstr "שם איש קשר" -#: dist/converse-no-dependencies.js:48920 +#: dist/converse-no-dependencies.js:49529 msgid "Filter by group name" msgstr "" -#: dist/converse-no-dependencies.js:48921 +#: dist/converse-no-dependencies.js:49530 msgid "Filter by status" msgstr "" -#: dist/converse-no-dependencies.js:48922 +#: dist/converse-no-dependencies.js:49531 msgid "Any" msgstr "" -#: dist/converse-no-dependencies.js:48923 +#: dist/converse-no-dependencies.js:49532 msgid "Unread" msgstr "" -#: dist/converse-no-dependencies.js:48925 +#: dist/converse-no-dependencies.js:49534 msgid "Chatty" msgstr "" -#: dist/converse-no-dependencies.js:48928 +#: dist/converse-no-dependencies.js:49537 msgid "Extended Away" msgstr "" -#: dist/converse-no-dependencies.js:49097 -#: dist/converse-no-dependencies.js:49154 +#: dist/converse-no-dependencies.js:49706 +#: dist/converse-no-dependencies.js:49763 #, fuzzy, javascript-format msgid "Click to remove %1$s as a contact" msgstr "לחץ כדי להסיר את איש קשר זה" -#: dist/converse-no-dependencies.js:49106 +#: dist/converse-no-dependencies.js:49715 #, fuzzy, javascript-format msgid "Click to accept the contact request from %1$s" msgstr "לחץ כדי לקבל את בקשת איש קשר זה" -#: dist/converse-no-dependencies.js:49107 +#: dist/converse-no-dependencies.js:49716 #, fuzzy, javascript-format msgid "Click to decline the contact request from %1$s" msgstr "לחץ כדי לסרב את בקשת איש קשר זה" -#: dist/converse-no-dependencies.js:49153 +#: dist/converse-no-dependencies.js:49762 #, fuzzy, javascript-format msgid "Click to chat with %1$s (JID: %2$s)" msgstr "לחץ כדי לשוחח עם איש קשר זה" -#: dist/converse-no-dependencies.js:49230 +#: dist/converse-no-dependencies.js:49839 msgid "Are you sure you want to decline this contact request?" msgstr "האם אתה בטוח כי ברצונך לסרב את בקשת איש קשר זה?" -#: dist/converse-no-dependencies.js:49499 +#: dist/converse-no-dependencies.js:50108 msgid "Contacts" msgstr "אנשי קשר" -#: dist/converse-no-dependencies.js:49500 +#: dist/converse-no-dependencies.js:50109 msgid "Add a contact" msgstr "הוסף איש קשר" -#: dist/converse-no-dependencies.js:50959 +#: dist/converse-no-dependencies.js:51568 #, fuzzy msgid "Name" msgstr "שם" -#: dist/converse-no-dependencies.js:50963 +#: dist/converse-no-dependencies.js:51572 #, fuzzy msgid "Groupchat address (JID)" msgstr "שם חדר" -#: dist/converse-no-dependencies.js:50967 +#: dist/converse-no-dependencies.js:51576 #, fuzzy msgid "Description" msgstr "תיאור:" -#: dist/converse-no-dependencies.js:50973 +#: dist/converse-no-dependencies.js:51582 msgid "Topic" msgstr "" -#: dist/converse-no-dependencies.js:50977 +#: dist/converse-no-dependencies.js:51586 msgid "Topic author" msgstr "" -#: dist/converse-no-dependencies.js:50983 +#: dist/converse-no-dependencies.js:51592 #, fuzzy msgid "Online users" msgstr "מקוון" -#: dist/converse-no-dependencies.js:50987 -#: dist/converse-no-dependencies.js:51139 +#: dist/converse-no-dependencies.js:51596 +#: dist/converse-no-dependencies.js:51748 #, fuzzy msgid "Features" msgstr "תכונות:" -#: dist/converse-no-dependencies.js:50991 -#: dist/converse-no-dependencies.js:51147 +#: dist/converse-no-dependencies.js:51600 +#: dist/converse-no-dependencies.js:51756 #, fuzzy msgid "Password protected" msgstr "סיסמה: " -#: dist/converse-no-dependencies.js:50993 -#: dist/converse-no-dependencies.js:51145 +#: dist/converse-no-dependencies.js:51602 +#: dist/converse-no-dependencies.js:51754 #, fuzzy msgid "This groupchat requires a password before entry" msgstr "חדר שיחה זה מצריך סיסמה" -#: dist/converse-no-dependencies.js:50999 +#: dist/converse-no-dependencies.js:51608 #, fuzzy msgid "No password required" msgstr "סיסמה" -#: dist/converse-no-dependencies.js:51001 -#: dist/converse-no-dependencies.js:51153 +#: dist/converse-no-dependencies.js:51610 +#: dist/converse-no-dependencies.js:51762 #, fuzzy msgid "This groupchat does not require a password upon entry" msgstr "חדר שיחה זה מצריך סיסמה" # חדר זה אינו עלום -#: dist/converse-no-dependencies.js:51009 -#: dist/converse-no-dependencies.js:51161 +#: dist/converse-no-dependencies.js:51618 +#: dist/converse-no-dependencies.js:51770 #, fuzzy msgid "This groupchat is not publicly searchable" msgstr "חדר זה אינו אנונימי" # חדר זה אינו עלום -#: dist/converse-no-dependencies.js:51017 -#: dist/converse-no-dependencies.js:51169 +#: dist/converse-no-dependencies.js:51626 +#: dist/converse-no-dependencies.js:51778 #, fuzzy msgid "This groupchat is publicly searchable" msgstr "חדר זה אינו אנונימי" -#: dist/converse-no-dependencies.js:51023 -#: dist/converse-no-dependencies.js:51179 +#: dist/converse-no-dependencies.js:51632 +#: dist/converse-no-dependencies.js:51788 msgid "Members only" msgstr "" -#: dist/converse-no-dependencies.js:51025 +#: dist/converse-no-dependencies.js:51634 #, fuzzy msgid "This groupchat is restricted to members only" msgstr "חדר זה הגיע לסף הנוכחים המרבי שלו" -#: dist/converse-no-dependencies.js:51033 -#: dist/converse-no-dependencies.js:51185 +#: dist/converse-no-dependencies.js:51642 +#: dist/converse-no-dependencies.js:51794 #, fuzzy msgid "Anyone can join this groupchat" msgstr "לחץ כדי לפתוח את חדר זה" -#: dist/converse-no-dependencies.js:51039 -#: dist/converse-no-dependencies.js:51195 +#: dist/converse-no-dependencies.js:51648 +#: dist/converse-no-dependencies.js:51804 msgid "Persistent" msgstr "" -#: dist/converse-no-dependencies.js:51041 -#: dist/converse-no-dependencies.js:51193 +#: dist/converse-no-dependencies.js:51650 +#: dist/converse-no-dependencies.js:51802 msgid "This groupchat persists even if it's unoccupied" msgstr "" -#: dist/converse-no-dependencies.js:51049 -#: dist/converse-no-dependencies.js:51201 +#: dist/converse-no-dependencies.js:51658 +#: dist/converse-no-dependencies.js:51810 msgid "This groupchat will disappear once the last person leaves" msgstr "" # לא-עלום -#: dist/converse-no-dependencies.js:51055 -#: dist/converse-no-dependencies.js:51211 +#: dist/converse-no-dependencies.js:51664 +#: dist/converse-no-dependencies.js:51820 #, fuzzy msgid "Not anonymous" msgstr "לא-אנונימי" -#: dist/converse-no-dependencies.js:51057 -#: dist/converse-no-dependencies.js:51209 +#: dist/converse-no-dependencies.js:51666 +#: dist/converse-no-dependencies.js:51818 msgid "All other groupchat participants can see your XMPP username" msgstr "" -#: dist/converse-no-dependencies.js:51065 -#: dist/converse-no-dependencies.js:51217 +#: dist/converse-no-dependencies.js:51674 +#: dist/converse-no-dependencies.js:51826 msgid "Only moderators can see your XMPP username" msgstr "" -#: dist/converse-no-dependencies.js:51073 -#: dist/converse-no-dependencies.js:51225 +#: dist/converse-no-dependencies.js:51682 +#: dist/converse-no-dependencies.js:51834 #, fuzzy msgid "This groupchat is being moderated" msgstr "משתמש זה הינו אחראי" -#: dist/converse-no-dependencies.js:51079 -#: dist/converse-no-dependencies.js:51235 +#: dist/converse-no-dependencies.js:51688 +#: dist/converse-no-dependencies.js:51844 #, fuzzy msgid "Not moderated" msgstr "לא מבוקר" # חדר זה אינו עלום -#: dist/converse-no-dependencies.js:51081 -#: dist/converse-no-dependencies.js:51233 +#: dist/converse-no-dependencies.js:51690 +#: dist/converse-no-dependencies.js:51842 #, fuzzy msgid "This groupchat is not being moderated" msgstr "חדר זה אינו אנונימי" -#: dist/converse-no-dependencies.js:51087 -#: dist/converse-no-dependencies.js:51243 +#: dist/converse-no-dependencies.js:51696 +#: dist/converse-no-dependencies.js:51852 msgid "Message archiving" msgstr "" -#: dist/converse-no-dependencies.js:51089 -#: dist/converse-no-dependencies.js:51241 +#: dist/converse-no-dependencies.js:51698 +#: dist/converse-no-dependencies.js:51850 msgid "Messages are archived on the server" msgstr "" -#: dist/converse-no-dependencies.js:51155 +#: dist/converse-no-dependencies.js:51764 #, fuzzy msgid "No password" msgstr "סיסמה" -#: dist/converse-no-dependencies.js:51177 +#: dist/converse-no-dependencies.js:51786 #, fuzzy msgid "this groupchat is restricted to members only" msgstr "חדר זה הגיע לסף הנוכחים המרבי שלו" -#: dist/converse-no-dependencies.js:52082 +#: dist/converse-no-dependencies.js:52691 msgid "XMPP Username:" msgstr "שם משתמש XMPP:" -#: dist/converse-no-dependencies.js:52088 +#: dist/converse-no-dependencies.js:52697 msgid "Password:" msgstr "סיסמה:" -#: dist/converse-no-dependencies.js:52090 +#: dist/converse-no-dependencies.js:52699 msgid "password" msgstr "סיסמה" -#: dist/converse-no-dependencies.js:52098 +#: dist/converse-no-dependencies.js:52707 msgid "This is a trusted device" msgstr "" -#: dist/converse-no-dependencies.js:52100 +#: dist/converse-no-dependencies.js:52709 msgid "" "To improve performance, we cache your data in this browser. Uncheck this box " "if this is a public computer or if you want your data to be deleted when you " @@ -1628,149 +1628,155 @@ msgid "" "cached data might be deleted." msgstr "" -#: dist/converse-no-dependencies.js:52102 +#: dist/converse-no-dependencies.js:52711 #, fuzzy msgid "Log in" msgstr "כניסה" -#: dist/converse-no-dependencies.js:52108 +#: dist/converse-no-dependencies.js:52717 msgid "Click here to log in anonymously" msgstr "לחץ כאן כדי להתחבר באופן אנונימי" -#: dist/converse-no-dependencies.js:52197 +#: dist/converse-no-dependencies.js:52806 #, fuzzy msgid "This message has been edited" msgstr "משתמש זה הינו אחראי" -#: dist/converse-no-dependencies.js:52223 +#: dist/converse-no-dependencies.js:52832 #, fuzzy msgid "Edit this message" msgstr "הצג את תפריט זה" -#: dist/converse-no-dependencies.js:52248 +#: dist/converse-no-dependencies.js:52857 #, fuzzy msgid "Message versions" msgstr "הודעה" -#: dist/converse-no-dependencies.js:52473 +#: dist/converse-no-dependencies.js:53082 msgid "Save and close" msgstr "" -#: dist/converse-no-dependencies.js:52477 +#: dist/converse-no-dependencies.js:53086 msgid "This device's OMEMO fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52489 +#: dist/converse-no-dependencies.js:53098 msgid "Select all" msgstr "" -#: dist/converse-no-dependencies.js:52491 +#: dist/converse-no-dependencies.js:53100 msgid "Checkbox to select fingerprints of all other OMEMO devices" msgstr "" -#: dist/converse-no-dependencies.js:52493 +#: dist/converse-no-dependencies.js:53102 msgid "Other OMEMO-enabled devices" msgstr "" -#: dist/converse-no-dependencies.js:52501 -#: dist/converse-no-dependencies.js:52509 +#: dist/converse-no-dependencies.js:53110 +#: dist/converse-no-dependencies.js:53118 msgid "Checkbox for selecting the following fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52511 +#: dist/converse-no-dependencies.js:53120 #, fuzzy msgid "Device without a fingerprint" msgstr "אמת בעזרת טביעות אצבע" -#: dist/converse-no-dependencies.js:52517 +#: dist/converse-no-dependencies.js:53126 msgid "Remove checked devices and close" msgstr "" -#: dist/converse-no-dependencies.js:52599 +#: dist/converse-no-dependencies.js:53208 msgid "Don't have a chat account?" msgstr "" -#: dist/converse-no-dependencies.js:52601 +#: dist/converse-no-dependencies.js:53210 msgid "Create an account" msgstr "" -#: dist/converse-no-dependencies.js:52622 +#: dist/converse-no-dependencies.js:53231 msgid "Create your account" msgstr "" -#: dist/converse-no-dependencies.js:52624 +#: dist/converse-no-dependencies.js:53233 msgid "Please enter the XMPP provider to register with:" msgstr "" -#: dist/converse-no-dependencies.js:52644 +#: dist/converse-no-dependencies.js:53253 msgid "Already have a chat account?" msgstr "" -#: dist/converse-no-dependencies.js:52646 +#: dist/converse-no-dependencies.js:53255 msgid "Log in here" msgstr "" -#: dist/converse-no-dependencies.js:52667 +#: dist/converse-no-dependencies.js:53276 msgid "Account Registration:" msgstr "" -#: dist/converse-no-dependencies.js:52675 +#: dist/converse-no-dependencies.js:53284 msgid "Register" msgstr "הירשם" -#: dist/converse-no-dependencies.js:52679 +#: dist/converse-no-dependencies.js:53288 msgid "Choose a different provider" msgstr "" -#: dist/converse-no-dependencies.js:52700 +#: dist/converse-no-dependencies.js:53309 msgid "Hold tight, we're fetching the registration form…" msgstr "" -#: dist/converse-no-dependencies.js:53415 +#: dist/converse-no-dependencies.js:54024 msgid "Messages are being sent in plaintext" msgstr "" -#: dist/converse-no-dependencies.js:53467 +#: dist/converse-no-dependencies.js:54076 msgid "The User's Profile Image" msgstr "" -#: dist/converse-no-dependencies.js:53525 +#: dist/converse-no-dependencies.js:54134 msgid "OMEMO Fingerprints" msgstr "" -#: dist/converse-no-dependencies.js:53549 +#: dist/converse-no-dependencies.js:54158 msgid "Trusted" msgstr "" -#: dist/converse-no-dependencies.js:53563 +#: dist/converse-no-dependencies.js:54172 msgid "Untrusted" msgstr "" -#: dist/converse-no-dependencies.js:53577 +#: dist/converse-no-dependencies.js:54186 #, fuzzy msgid "Remove as contact" msgstr "הוסף איש קשר" -#: dist/converse-no-dependencies.js:53581 +#: dist/converse-no-dependencies.js:54190 msgid "Refresh" msgstr "" -#: dist/converse-no-dependencies.js:53950 -#: dist/converse-no-dependencies.js:53981 +#: dist/converse-no-dependencies.js:54559 msgid "Download" msgstr "" -#: dist/converse-no-dependencies.js:53970 +#: dist/converse-no-dependencies.js:54579 #, javascript-format -msgid "Download \"%1$s\"" +msgid "Download file \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:53994 -msgid "Download video file" +#: dist/converse-no-dependencies.js:54591 +#, javascript-format +msgid "Download image \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:54007 -msgid "Download audio file" +#: dist/converse-no-dependencies.js:54604 +#, javascript-format +msgid "Download video file \"%1$s\"" +msgstr "" + +#: dist/converse-no-dependencies.js:54617 +#, javascript-format +msgid "Download audio file \"%1$s\"" msgstr "" #~ msgid "Personal message" diff --git a/locale/hi/LC_MESSAGES/converse.json b/locale/hi/LC_MESSAGES/converse.json new file mode 100644 index 000000000..b165820b7 --- /dev/null +++ b/locale/hi/LC_MESSAGES/converse.json @@ -0,0 +1 @@ +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n > 1;","lang":"hi"},"Bookmark this groupchat":[""],"The name for this bookmark:":[""],"Would you like this groupchat to be automatically joined upon startup?":[""],"What should your nickname for this groupchat be?":[""],"Save":["सम्भालें"],"Cancel":["छोड़ें"],"Are you sure you want to remove the bookmark \"%1$s\"?":["क्या आप वाकई \"%1$s\" के बुकमार्क को हटाना चाहते हैं?"],"Error":["दिक्कत"],"Sorry, something went wrong while trying to save your bookmark.":["क्षमाँ करें, आपका बुकमार्क सम्भालनें में कुछ गड़बड़ हुई।"],"Leave this groupchat":["इस कमरे को छोड़ें"],"Remove this bookmark":["यह बुकमार्क हटाएं"],"Unbookmark this groupchat":[""],"Show more information on this groupchat":["इस कमरे के बारे में और जानकारी दिखाएं"],"Click to open this groupchat":["इस कमरे को खोलने के लिए यहाँ क्लिक करें"],"Click to toggle the bookmarks list":["बुकमार्क-सूची खोलें/बंद करें"],"Bookmarks":["बुकमार्क"],"Sorry, could not determine file upload URL.":["क्षमाँ करें, फ़ाईल अपलोड करने का यू.आ.एल. समझ नहीं आया।"],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["क्षमाँ करें, आपकी फ़ाईल अपलोड नहीं हो पाई। सर्वर का जवाब: \"%1$s\""],"Sorry, could not succesfully upload your file.":["क्षमाँ करें, आपकी फ़ाईल अपलोड नहीं हो पाई।"],"Sorry, looks like file upload is not supported by your server.":["क्षमाँ करें, लगता है आपके सर्वर पर फ़ाईल अपलोड की सेवा उपलब्ध नहीं है।"],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":[""],"Are you sure you want to remove this contact?":[""],"Sorry, there was an error while trying to remove %1$s as a contact.":[""],"You have unread messages":[""],"Hidden message":[""],"Message":["सन्देश"],"Send":["भेजें"],"Optional hint":[""],"Choose a file to send":["कोई फ़ाईल भेजें"],"Click to write as a normal (non-spoiler) message":[""],"Click to write your message as a spoiler":[""],"Clear all messages":["सारे सन्देश हटाएं"],"Insert emojis":["इमोजी डालें"],"Start a call":[""],"Remove messages":["सन्देश हटाएं"],"Write in the third person":["अन्य पुरुष में लिखें"],"Show this menu":["यह मेन्यू देखाएं"],"Are you sure you want to clear the messages from this conversation?":["क्या आप वाकई इस वार्तालाप के सन्देश हटाना चाहते हैं?"],"%1$s has gone offline":[""],"%1$s has gone away":[""],"%1$s is busy":["%1$s व्यस्त है"],"%1$s is online":[""],"Username":["यूज़रनेम"],"user@domain":["यूज़र@डोमेन"],"Please enter a valid XMPP address":["क्रिपया कोई मान्य एक्स.एम.पी.पी. ऐड्रेस डालें"],"Chat Contacts":[""],"Toggle chat":[""],"The connection has dropped, attempting to reconnect.":[""],"An error occurred while connecting to the chat server.":[""],"Your Jabber ID and/or password is incorrect. Please try again.":[""],"Sorry, we could not connect to the XMPP host with domain: %1$s":[""],"The XMPP server did not offer a supported authentication mechanism":[""],"Show more":["और दिखाएं"],"Typing from another device":[""],"%1$s is typing":["%1$s लिख रहे हैं"],"Stopped typing on the other device":[""],"%1$s has stopped typing":["%1$s लिखते-लिखते रुक गए"],"Unencryptable OMEMO message":[""],"Minimize this chat box":[""],"Click to restore this chat":[""],"Minimized":[""],"This groupchat is not anonymous":[""],"This groupchat now shows unavailable members":[""],"This groupchat does not show unavailable members":[""],"The groupchat configuration has changed":[""],"groupchat logging is now enabled":[""],"groupchat logging is now disabled":[""],"This groupchat is now no longer anonymous":[""],"This groupchat is now semi-anonymous":[""],"This groupchat is now fully-anonymous":[""],"A new groupchat has been created":["एक नया कमरा बना दिया गया है"],"You have been banned from this groupchat":["आपको इस कमरे से प्रतिबन्धित कर दिया गया है"],"You have been kicked from this groupchat":["आपको इस कमरे से बाहर कर दिया गया है"],"You have been removed from this groupchat because of an affiliation change":[""],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":[""],"You have been removed from this groupchat because the service hosting it is being shut down":[""],"%1$s has been banned":["%1$s को प्रतिबन्धित कर दिया गया है"],"%1$s's nickname has changed":[""],"%1$s has been kicked out":["%1$s को बाहर कर दिया गया है"],"%1$s has been removed because of an affiliation change":[""],"%1$s has been removed for not being a member":[""],"Your nickname has been automatically set to %1$s":[""],"Your nickname has been changed to %1$s":[""],"Description:":["विवरण :"],"Groupchat Address (JID):":[""],"Participants:":[""],"Features:":[""],"Requires authentication":[""],"Hidden":["छिपा हुआ"],"Requires an invitation":[""],"Moderated":[""],"Non-anonymous":[""],"Open":[""],"Permanent":[""],"Public":[""],"Semi-anonymous":[""],"Temporary":[""],"Unmoderated":[""],"Query for Groupchats":[""],"Server address":[""],"Show groupchats":[""],"conference.example.org":[""],"No groupchats found":["कोई कमरे नहीं मिले"],"Groupchats found:":[""],"Enter a new Groupchat":["एक नये कमरे का हिस्सा बनें"],"Groupchat address":[""],"Optional nickname":[""],"name@conference.example.org":[""],"Join":["हिस्सा बनें"],"Groupchat info for %1$s":[""],"%1$s is no longer a permanent member of this groupchat":[""],"%1$s is no longer a moderator":[""],"%1$s has been given a voice again":[""],"%1$s has been muted":[""],"%1$s is now a moderator":[""],"Close and leave this groupchat":[""],"Configure this groupchat":[""],"Show more details about this groupchat":[""],"Hide the list of participants":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":[""],"Ban user from groupchat":[""],"Change user role to participant":[""],"Kick user from groupchat":[""],"Write in 3rd person":[""],"Grant membership to a user":[""],"Remove user's ability to post messages":[""],"Change your nickname":[""],"Grant moderator role to user":[""],"Grant ownership of this groupchat":[""],"Register a nickname for this room":[""],"Revoke user's membership":[""],"Set groupchat subject":[""],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":[""],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":[""],"Please choose your nickname":[""],"Nickname":[""],"Enter groupchat":[""],"This groupchat requires a password":[""],"Password: ":[""],"Submit":[""],"This action was done by %1$s.":[""],"The reason given is: \"%1$s\".":[""],"%1$s has left and re-entered the groupchat":[""],"%1$s has entered the groupchat":[""],"%1$s has entered the groupchat. \"%2$s\"":[""],"%1$s has entered and left the groupchat":[""],"%1$s has entered and left the groupchat. \"%2$s\"":[""],"%1$s has left the groupchat":[""],"%1$s has left the groupchat. \"%2$s\"":[""],"You are not on the member list of this groupchat.":[""],"You have been banned from this groupchat.":[""],"No nickname was specified.":[""],"You are not allowed to create new groupchats.":[""],"Your nickname doesn't conform to this groupchat's policies.":[""],"This groupchat does not (yet) exist.":[""],"This groupchat has reached its maximum number of participants.":[""],"Remote server not found":[""],"The explanation given is: \"%1$s\".":[""],"Topic set by %1$s":[""],"Topic cleared by %1$s":[""],"Groupchats":[""],"Add a new groupchat":[""],"Query for groupchats":[""],"Click to mention %1$s in your message.":[""],"This user is a moderator.":[""],"This user can send messages in this groupchat.":[""],"This user can NOT send messages in this groupchat.":[""],"Moderator":[""],"Visitor":[""],"Owner":[""],"Member":[""],"Admin":[""],"Participants":[""],"Invite":[""],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":[""],"Please enter a valid XMPP username":[""],"You're not allowed to register yourself in this groupchat.":[""],"You're not allowed to register in this groupchat because it's members-only.":[""],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":[""],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":[""],"Notification from %1$s":[""],"%1$s says":[""],"OMEMO Message received":[""],"has gone offline":[""],"has gone away":[""],"is busy":[""],"has come online":[""],"wants to be your contact":[""],"Sorry, an error occurred while trying to remove the devices.":[""],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Full Name":[""],"XMPP Address (JID)":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"Sorry, an error happened while trying to save your profile data.":[""],"You can check your browser's developer console for any error output.":[""],"Away":[""],"Busy":[""],"Custom status":[""],"Offline":[""],"Online":[""],"Away for long":[""],"Change chat status":[""],"Personal status message":[""],"I am %1$s":[""],"Change settings":[""],"Click to change your chat status":[""],"Log out":[""],"Your profile":[""],"Are you sure you want to log out?":[""],"online":[""],"busy":[""],"away for long":[""],"away":[""],"offline":[""]," e.g. conversejs.org":[""],"Fetch registration form":[""],"Tip: A list of public XMPP providers is available":[""],"here":[""],"Sorry, we're unable to connect to your chosen provider.":[""],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":[""],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":[""],"Now logging you in":[""],"Registered successfully":[""],"The provider rejected your registration attempt. Please check the values you entered for correctness.":[""],"Click to toggle the list of open groupchats":[""],"Open Groupchats":[""],"Are you sure you want to leave the groupchat %1$s?":[""],"Sorry, there was an error while trying to add %1$s as a contact.":[""],"This client does not allow presence subscriptions":[""],"Click to hide these contacts":[""],"This contact is busy":[""],"This contact is online":[""],"This contact is offline":[""],"This contact is unavailable":[""],"This contact is away for an extended period":[""],"This contact is away":[""],"Groups":[""],"My contacts":[""],"Pending contacts":[""],"Contact requests":[""],"Ungrouped":[""],"Contact name":[""],"Add a Contact":[""],"XMPP Address":[""],"name@example.org":[""],"Add":[""],"Filter":[""],"Filter by contact name":[""],"Filter by group name":[""],"Filter by status":[""],"Any":[""],"Unread":[""],"Chatty":[""],"Extended Away":[""],"Click to remove %1$s as a contact":[""],"Click to accept the contact request from %1$s":[""],"Click to decline the contact request from %1$s":[""],"Click to chat with %1$s (JID: %2$s)":[""],"Are you sure you want to decline this contact request?":[""],"Contacts":[""],"Add a contact":[""],"Name":[""],"Groupchat address (JID)":[""],"Description":[""],"Topic":[""],"Topic author":[""],"Online users":[""],"Features":[""],"Password protected":[""],"This groupchat requires a password before entry":[""],"No password required":[""],"This groupchat does not require a password upon entry":[""],"This groupchat is not publicly searchable":[""],"This groupchat is publicly searchable":[""],"Members only":[""],"This groupchat is restricted to members only":[""],"Anyone can join this groupchat":[""],"Persistent":[""],"This groupchat persists even if it's unoccupied":[""],"This groupchat will disappear once the last person leaves":[""],"Not anonymous":[""],"All other groupchat participants can see your XMPP username":[""],"Only moderators can see your XMPP username":[""],"This groupchat is being moderated":[""],"Not moderated":[""],"This groupchat is not being moderated":[""],"Message archiving":[""],"Messages are archived on the server":[""],"No password":[""],"this groupchat is restricted to members only":[""],"XMPP Username:":[""],"Password:":[""],"password":[""],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Log in":[""],"Click here to log in anonymously":[""],"This message has been edited":[""],"Edit this message":[""],"Message versions":[""],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Device without a fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":[""],"Create an account":[""],"Create your account":[""],"Please enter the XMPP provider to register with:":[""],"Already have a chat account?":[""],"Log in here":[""],"Account Registration:":[""],"Register":[""],"Choose a different provider":[""],"Hold tight, we're fetching the registration form…":[""],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Remove as contact":[""],"Refresh":[""],"Download":[""],"Download file \"%1$s\"":[""],"Download image \"%1$s\"":[""],"Download video file \"%1$s\"":[""],"Download audio file \"%1$s\"":[""]}}} \ No newline at end of file diff --git a/locale/hi/LC_MESSAGES/converse.po b/locale/hi/LC_MESSAGES/converse.po index 6d1c83de3..ca4bf2951 100644 --- a/locale/hi/LC_MESSAGES/converse.po +++ b/locale/hi/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 3.3.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-06 15:52+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-09-21 17:28+0000\n" "Last-Translator: John Doe \n" "Language-Team: Hindi 1;\n" "X-Generator: Weblate 3.2-dev\n" -#: dist/converse-no-dependencies.js:31817 -#: dist/converse-no-dependencies.js:31902 -#: dist/converse-no-dependencies.js:47144 +#: dist/converse-no-dependencies.js:32421 +#: dist/converse-no-dependencies.js:32506 +#: dist/converse-no-dependencies.js:48032 msgid "Bookmark this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:31903 +#: dist/converse-no-dependencies.js:32507 msgid "The name for this bookmark:" msgstr "" -#: dist/converse-no-dependencies.js:31904 +#: dist/converse-no-dependencies.js:32508 msgid "Would you like this groupchat to be automatically joined upon startup?" msgstr "" -#: dist/converse-no-dependencies.js:31905 +#: dist/converse-no-dependencies.js:32509 msgid "What should your nickname for this groupchat be?" msgstr "" -#: dist/converse-no-dependencies.js:31907 -#: dist/converse-no-dependencies.js:41602 -#: dist/converse-no-dependencies.js:46021 +#: dist/converse-no-dependencies.js:32511 +#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:46878 msgid "Save" msgstr "सम्भालें" -#: dist/converse-no-dependencies.js:31908 -#: dist/converse-no-dependencies.js:41603 -#: dist/converse-no-dependencies.js:46017 -#: dist/converse-no-dependencies.js:52421 +#: dist/converse-no-dependencies.js:32512 +#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:46874 +#: dist/converse-no-dependencies.js:53313 msgid "Cancel" msgstr "छोड़ें" -#: dist/converse-no-dependencies.js:31981 +#: dist/converse-no-dependencies.js:32585 #, javascript-format msgid "Are you sure you want to remove the bookmark \"%1$s\"?" msgstr "क्या आप वाकई \"%1$s\" के बुकमार्क को हटाना चाहते हैं?" -#: dist/converse-no-dependencies.js:32098 -#: dist/converse-no-dependencies.js:33938 -#: dist/converse-no-dependencies.js:44651 -#: dist/converse-no-dependencies.js:45966 +#: dist/converse-no-dependencies.js:32704 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:45498 +#: dist/converse-no-dependencies.js:46823 msgid "Error" msgstr "दिक्कत" -#: dist/converse-no-dependencies.js:32098 +#: dist/converse-no-dependencies.js:32704 msgid "Sorry, something went wrong while trying to save your bookmark." msgstr "क्षमाँ करें, आपका बुकमार्क सम्भालनें में कुछ गड़बड़ हुई।" -#: dist/converse-no-dependencies.js:32187 -#: dist/converse-no-dependencies.js:47142 +#: dist/converse-no-dependencies.js:32795 +#: dist/converse-no-dependencies.js:48030 msgid "Leave this groupchat" msgstr "इस कमरे को छोड़ें" -#: dist/converse-no-dependencies.js:32188 +#: dist/converse-no-dependencies.js:32796 msgid "Remove this bookmark" msgstr "यह बुकमार्क हटाएं" -#: dist/converse-no-dependencies.js:32189 -#: dist/converse-no-dependencies.js:47143 +#: dist/converse-no-dependencies.js:32797 +#: dist/converse-no-dependencies.js:48031 msgid "Unbookmark this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:32190 -#: dist/converse-no-dependencies.js:40810 -#: dist/converse-no-dependencies.js:47145 +#: dist/converse-no-dependencies.js:32798 +#: dist/converse-no-dependencies.js:41505 +#: dist/converse-no-dependencies.js:48033 msgid "Show more information on this groupchat" msgstr "इस कमरे के बारे में और जानकारी दिखाएं" -#: dist/converse-no-dependencies.js:32193 -#: dist/converse-no-dependencies.js:40809 -#: dist/converse-no-dependencies.js:47147 +#: dist/converse-no-dependencies.js:32801 +#: dist/converse-no-dependencies.js:41504 +#: dist/converse-no-dependencies.js:48035 msgid "Click to open this groupchat" msgstr "इस कमरे को खोलने के लिए यहाँ क्लिक करें" -#: dist/converse-no-dependencies.js:32232 +#: dist/converse-no-dependencies.js:32840 msgid "Click to toggle the bookmarks list" msgstr "बुकमार्क-सूची खोलें/बंद करें" -#: dist/converse-no-dependencies.js:32233 +#: dist/converse-no-dependencies.js:32841 msgid "Bookmarks" msgstr "बुकमार्क" -#: dist/converse-no-dependencies.js:32652 +#: dist/converse-no-dependencies.js:33260 msgid "Sorry, could not determine file upload URL." msgstr "क्षमाँ करें, फ़ाईल अपलोड करने का यू.आ.एल. समझ नहीं आया।" -#: dist/converse-no-dependencies.js:32660 +#: dist/converse-no-dependencies.js:33268 msgid "Sorry, could not determine upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32695 +#: dist/converse-no-dependencies.js:33303 #, javascript-format msgid "" "Sorry, could not succesfully upload your file. Your server’s response: \"%1$s" "\"" msgstr "क्षमाँ करें, आपकी फ़ाईल अपलोड नहीं हो पाई। सर्वर का जवाब: \"%1$s\"" -#: dist/converse-no-dependencies.js:32697 +#: dist/converse-no-dependencies.js:33305 msgid "Sorry, could not succesfully upload your file." msgstr "क्षमाँ करें, आपकी फ़ाईल अपलोड नहीं हो पाई।" -#: dist/converse-no-dependencies.js:32942 +#: dist/converse-no-dependencies.js:33550 msgid "Sorry, looks like file upload is not supported by your server." msgstr "क्षमाँ करें, लगता है आपके सर्वर पर फ़ाईल अपलोड की सेवा उपलब्ध नहीं है।" -#: dist/converse-no-dependencies.js:32952 +#: dist/converse-no-dependencies.js:33560 #, javascript-format msgid "" "The size of your file, %1$s, exceeds the maximum allowed by your server, " "which is %2$s." msgstr "" -#: dist/converse-no-dependencies.js:33174 +#: dist/converse-no-dependencies.js:33782 msgid "Sorry, an error occurred:" msgstr "" -#: dist/converse-no-dependencies.js:33852 +#: dist/converse-no-dependencies.js:34460 msgid "Close this chat box" msgstr "" -#: dist/converse-no-dependencies.js:33929 -#: dist/converse-no-dependencies.js:48919 +#: dist/converse-no-dependencies.js:34537 +#: dist/converse-no-dependencies.js:49809 msgid "Are you sure you want to remove this contact?" msgstr "" -#: dist/converse-no-dependencies.js:33938 -#: dist/converse-no-dependencies.js:48927 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:49817 #, javascript-format msgid "Sorry, there was an error while trying to remove %1$s as a contact." msgstr "" -#: dist/converse-no-dependencies.js:33992 -#: dist/converse-no-dependencies.js:34032 +#: dist/converse-no-dependencies.js:34600 +#: dist/converse-no-dependencies.js:34640 msgid "You have unread messages" msgstr "" -#: dist/converse-no-dependencies.js:34018 +#: dist/converse-no-dependencies.js:34626 msgid "Hidden message" msgstr "" -#: dist/converse-no-dependencies.js:34020 +#: dist/converse-no-dependencies.js:34628 msgid "Message" msgstr "सन्देश" -#: dist/converse-no-dependencies.js:34027 +#: dist/converse-no-dependencies.js:34635 msgid "Send" msgstr "भेजें" -#: dist/converse-no-dependencies.js:34028 +#: dist/converse-no-dependencies.js:34636 msgid "Optional hint" msgstr "" -#: dist/converse-no-dependencies.js:34066 +#: dist/converse-no-dependencies.js:34674 msgid "Choose a file to send" msgstr "कोई फ़ाईल भेजें" -#: dist/converse-no-dependencies.js:34122 +#: dist/converse-no-dependencies.js:34730 msgid "Click to write as a normal (non-spoiler) message" msgstr "" -#: dist/converse-no-dependencies.js:34124 +#: dist/converse-no-dependencies.js:34732 msgid "Click to write your message as a spoiler" msgstr "" -#: dist/converse-no-dependencies.js:34128 +#: dist/converse-no-dependencies.js:34736 msgid "Clear all messages" msgstr "सारे सन्देश हटाएं" -#: dist/converse-no-dependencies.js:34129 +#: dist/converse-no-dependencies.js:34737 msgid "Insert emojis" msgstr "इमोजी डालें" -#: dist/converse-no-dependencies.js:34130 +#: dist/converse-no-dependencies.js:34738 msgid "Start a call" msgstr "" -#: dist/converse-no-dependencies.js:34447 -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Remove messages" msgstr "सन्देश हटाएं" -#: dist/converse-no-dependencies.js:34447 +#: dist/converse-no-dependencies.js:35055 msgid "Write in the third person" msgstr "अन्य पुरुष में लिखें" -#: dist/converse-no-dependencies.js:34447 -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Show this menu" msgstr "यह मेन्यू देखाएं" -#: dist/converse-no-dependencies.js:34662 +#: dist/converse-no-dependencies.js:35276 msgid "Are you sure you want to clear the messages from this conversation?" msgstr "क्या आप वाकई इस वार्तालाप के सन्देश हटाना चाहते हैं?" -#: dist/converse-no-dependencies.js:34777 +#: dist/converse-no-dependencies.js:35392 #, javascript-format msgid "%1$s has gone offline" msgstr "" -#: dist/converse-no-dependencies.js:34779 -#: dist/converse-no-dependencies.js:39717 +#: dist/converse-no-dependencies.js:35394 +#: dist/converse-no-dependencies.js:40405 #, javascript-format msgid "%1$s has gone away" msgstr "" -#: dist/converse-no-dependencies.js:34781 +#: dist/converse-no-dependencies.js:35396 #, javascript-format msgid "%1$s is busy" msgstr "%1$s व्यस्त है" -#: dist/converse-no-dependencies.js:34783 +#: dist/converse-no-dependencies.js:35398 #, javascript-format msgid "%1$s is online" msgstr "" -#: dist/converse-no-dependencies.js:35419 +#: dist/converse-no-dependencies.js:36027 msgid "Username" msgstr "यूज़रनेम" -#: dist/converse-no-dependencies.js:35419 +#: dist/converse-no-dependencies.js:36027 msgid "user@domain" msgstr "यूज़र@डोमेन" -#: dist/converse-no-dependencies.js:35427 -#: dist/converse-no-dependencies.js:48528 +#: dist/converse-no-dependencies.js:36046 +#: dist/converse-no-dependencies.js:49418 msgid "Please enter a valid XMPP address" msgstr "क्रिपया कोई मान्य एक्स.एम.पी.पी. ऐड्रेस डालें" -#: dist/converse-no-dependencies.js:35526 +#: dist/converse-no-dependencies.js:36145 msgid "Chat Contacts" msgstr "" -#: dist/converse-no-dependencies.js:35526 +#: dist/converse-no-dependencies.js:36145 msgid "Toggle chat" msgstr "" -#: dist/converse-no-dependencies.js:36162 +#: dist/converse-no-dependencies.js:36782 msgid "The connection has dropped, attempting to reconnect." msgstr "" -#: dist/converse-no-dependencies.js:36262 +#: dist/converse-no-dependencies.js:36882 msgid "An error occurred while connecting to the chat server." msgstr "" -#: dist/converse-no-dependencies.js:36269 +#: dist/converse-no-dependencies.js:36889 msgid "Your Jabber ID and/or password is incorrect. Please try again." msgstr "" -#: dist/converse-no-dependencies.js:36281 +#: dist/converse-no-dependencies.js:36901 #, javascript-format msgid "Sorry, we could not connect to the XMPP host with domain: %1$s" msgstr "" -#: dist/converse-no-dependencies.js:36283 +#: dist/converse-no-dependencies.js:36903 msgid "The XMPP server did not offer a supported authentication mechanism" msgstr "" -#: dist/converse-no-dependencies.js:39656 +#: dist/converse-no-dependencies.js:40346 msgid "Show more" msgstr "और दिखाएं" -#: dist/converse-no-dependencies.js:39706 +#: dist/converse-no-dependencies.js:40394 msgid "Typing from another device" msgstr "" -#: dist/converse-no-dependencies.js:39708 +#: dist/converse-no-dependencies.js:40396 #, javascript-format msgid "%1$s is typing" msgstr "%1$s लिख रहे हैं" -#: dist/converse-no-dependencies.js:39712 +#: dist/converse-no-dependencies.js:40400 msgid "Stopped typing on the other device" msgstr "" -#: dist/converse-no-dependencies.js:39714 +#: dist/converse-no-dependencies.js:40402 #, javascript-format msgid "%1$s has stopped typing" msgstr "%1$s लिखते-लिखते रुक गए" -#: dist/converse-no-dependencies.js:39960 -#: dist/converse-no-dependencies.js:40003 -msgid "Minimize this chat box" -msgstr "" - -#: dist/converse-no-dependencies.js:40136 -msgid "Click to restore this chat" -msgstr "" - -#: dist/converse-no-dependencies.js:40325 -msgid "Minimized" -msgstr "" - -#: dist/converse-no-dependencies.js:40652 -msgid "This groupchat is not anonymous" -msgstr "" - -#: dist/converse-no-dependencies.js:40653 -msgid "This groupchat now shows unavailable members" -msgstr "" - -#: dist/converse-no-dependencies.js:40654 -msgid "This groupchat does not show unavailable members" +#: dist/converse-no-dependencies.js:40437 +msgid "Unencryptable OMEMO message" msgstr "" #: dist/converse-no-dependencies.js:40655 +#: dist/converse-no-dependencies.js:40698 +msgid "Minimize this chat box" +msgstr "" + +#: dist/converse-no-dependencies.js:40831 +msgid "Click to restore this chat" +msgstr "" + +#: dist/converse-no-dependencies.js:41020 +msgid "Minimized" +msgstr "" + +#: dist/converse-no-dependencies.js:41347 +msgid "This groupchat is not anonymous" +msgstr "" + +#: dist/converse-no-dependencies.js:41348 +msgid "This groupchat now shows unavailable members" +msgstr "" + +#: dist/converse-no-dependencies.js:41349 +msgid "This groupchat does not show unavailable members" +msgstr "" + +#: dist/converse-no-dependencies.js:41350 msgid "The groupchat configuration has changed" msgstr "" -#: dist/converse-no-dependencies.js:40656 +#: dist/converse-no-dependencies.js:41351 msgid "groupchat logging is now enabled" msgstr "" -#: dist/converse-no-dependencies.js:40657 +#: dist/converse-no-dependencies.js:41352 msgid "groupchat logging is now disabled" msgstr "" -#: dist/converse-no-dependencies.js:40658 +#: dist/converse-no-dependencies.js:41353 msgid "This groupchat is now no longer anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40659 +#: dist/converse-no-dependencies.js:41354 msgid "This groupchat is now semi-anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40660 +#: dist/converse-no-dependencies.js:41355 msgid "This groupchat is now fully-anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40661 +#: dist/converse-no-dependencies.js:41356 msgid "A new groupchat has been created" msgstr "एक नया कमरा बना दिया गया है" -#: dist/converse-no-dependencies.js:40664 +#: dist/converse-no-dependencies.js:41359 msgid "You have been banned from this groupchat" msgstr "आपको इस कमरे से प्रतिबन्धित कर दिया गया है" -#: dist/converse-no-dependencies.js:40665 +#: dist/converse-no-dependencies.js:41360 msgid "You have been kicked from this groupchat" msgstr "आपको इस कमरे से बाहर कर दिया गया है" -#: dist/converse-no-dependencies.js:40666 +#: dist/converse-no-dependencies.js:41361 msgid "" "You have been removed from this groupchat because of an affiliation change" msgstr "" -#: dist/converse-no-dependencies.js:40667 +#: dist/converse-no-dependencies.js:41362 msgid "" "You have been removed from this groupchat because the groupchat has changed " "to members-only and you're not a member" msgstr "" -#: dist/converse-no-dependencies.js:40668 +#: dist/converse-no-dependencies.js:41363 msgid "" "You have been removed from this groupchat because the service hosting it is " "being shut down" @@ -385,1026 +389,1111 @@ msgstr "" #. * can then at least tell gettext to scan for it so that these #. * strings are picked up by the translation machinery. #. -#: dist/converse-no-dependencies.js:40681 +#: dist/converse-no-dependencies.js:41376 #, javascript-format msgid "%1$s has been banned" msgstr "%1$s को प्रतिबन्धित कर दिया गया है" -#: dist/converse-no-dependencies.js:40682 +#: dist/converse-no-dependencies.js:41377 #, javascript-format msgid "%1$s's nickname has changed" msgstr "" -#: dist/converse-no-dependencies.js:40683 +#: dist/converse-no-dependencies.js:41378 #, javascript-format msgid "%1$s has been kicked out" msgstr "%1$s को बाहर कर दिया गया है" -#: dist/converse-no-dependencies.js:40684 +#: dist/converse-no-dependencies.js:41379 #, javascript-format msgid "%1$s has been removed because of an affiliation change" msgstr "" -#: dist/converse-no-dependencies.js:40685 +#: dist/converse-no-dependencies.js:41380 #, javascript-format msgid "%1$s has been removed for not being a member" msgstr "" -#: dist/converse-no-dependencies.js:40688 +#: dist/converse-no-dependencies.js:41383 #, javascript-format msgid "Your nickname has been automatically set to %1$s" msgstr "" -#: dist/converse-no-dependencies.js:40689 +#: dist/converse-no-dependencies.js:41384 #, javascript-format msgid "Your nickname has been changed to %1$s" msgstr "" -#: dist/converse-no-dependencies.js:40720 +#: dist/converse-no-dependencies.js:41415 msgid "Description:" msgstr "विवरण :" -#: dist/converse-no-dependencies.js:40721 +#: dist/converse-no-dependencies.js:41416 msgid "Groupchat Address (JID):" msgstr "" -#: dist/converse-no-dependencies.js:40722 +#: dist/converse-no-dependencies.js:41417 msgid "Participants:" msgstr "" -#: dist/converse-no-dependencies.js:40723 +#: dist/converse-no-dependencies.js:41418 msgid "Features:" msgstr "" -#: dist/converse-no-dependencies.js:40724 +#: dist/converse-no-dependencies.js:41419 msgid "Requires authentication" msgstr "" -#: dist/converse-no-dependencies.js:40725 -#: dist/converse-no-dependencies.js:50726 -#: dist/converse-no-dependencies.js:50882 +#: dist/converse-no-dependencies.js:41420 +#: dist/converse-no-dependencies.js:51616 +#: dist/converse-no-dependencies.js:51772 msgid "Hidden" msgstr "छिपा हुआ" -#: dist/converse-no-dependencies.js:40726 +#: dist/converse-no-dependencies.js:41421 msgid "Requires an invitation" msgstr "" -#: dist/converse-no-dependencies.js:40727 -#: dist/converse-no-dependencies.js:50790 -#: dist/converse-no-dependencies.js:50946 +#: dist/converse-no-dependencies.js:41422 +#: dist/converse-no-dependencies.js:51680 +#: dist/converse-no-dependencies.js:51836 msgid "Moderated" msgstr "" -#: dist/converse-no-dependencies.js:40728 +#: dist/converse-no-dependencies.js:41423 msgid "Non-anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40729 -#: dist/converse-no-dependencies.js:50750 -#: dist/converse-no-dependencies.js:50906 +#: dist/converse-no-dependencies.js:41424 +#: dist/converse-no-dependencies.js:51640 +#: dist/converse-no-dependencies.js:51796 msgid "Open" msgstr "" -#: dist/converse-no-dependencies.js:40730 +#: dist/converse-no-dependencies.js:41425 msgid "Permanent" msgstr "" -#: dist/converse-no-dependencies.js:40731 -#: dist/converse-no-dependencies.js:50734 -#: dist/converse-no-dependencies.js:50890 +#: dist/converse-no-dependencies.js:41426 +#: dist/converse-no-dependencies.js:51624 +#: dist/converse-no-dependencies.js:51780 msgid "Public" msgstr "" -#: dist/converse-no-dependencies.js:40732 -#: dist/converse-no-dependencies.js:50782 -#: dist/converse-no-dependencies.js:50938 +#: dist/converse-no-dependencies.js:41427 +#: dist/converse-no-dependencies.js:51672 +#: dist/converse-no-dependencies.js:51828 msgid "Semi-anonymous" msgstr "" -#: dist/converse-no-dependencies.js:40733 -#: dist/converse-no-dependencies.js:50766 -#: dist/converse-no-dependencies.js:50922 +#: dist/converse-no-dependencies.js:41428 +#: dist/converse-no-dependencies.js:51656 +#: dist/converse-no-dependencies.js:51812 msgid "Temporary" msgstr "" -#: dist/converse-no-dependencies.js:40734 +#: dist/converse-no-dependencies.js:41429 msgid "Unmoderated" msgstr "" -#: dist/converse-no-dependencies.js:40770 +#: dist/converse-no-dependencies.js:41465 msgid "Query for Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:40771 +#: dist/converse-no-dependencies.js:41466 msgid "Server address" msgstr "" -#: dist/converse-no-dependencies.js:40772 +#: dist/converse-no-dependencies.js:41467 msgid "Show groupchats" msgstr "" -#: dist/converse-no-dependencies.js:40773 +#: dist/converse-no-dependencies.js:41468 msgid "conference.example.org" msgstr "" -#: dist/converse-no-dependencies.js:40822 +#: dist/converse-no-dependencies.js:41517 msgid "No groupchats found" msgstr "कोई कमरे नहीं मिले" -#: dist/converse-no-dependencies.js:40839 +#: dist/converse-no-dependencies.js:41534 msgid "Groupchats found:" msgstr "" -#: dist/converse-no-dependencies.js:40891 +#: dist/converse-no-dependencies.js:41584 msgid "Enter a new Groupchat" msgstr "एक नये कमरे का हिस्सा बनें" -#: dist/converse-no-dependencies.js:40892 +#: dist/converse-no-dependencies.js:41585 msgid "Groupchat address" msgstr "" -#: dist/converse-no-dependencies.js:40893 -#: dist/converse-no-dependencies.js:48520 +#: dist/converse-no-dependencies.js:41586 +#: dist/converse-no-dependencies.js:49410 msgid "Optional nickname" msgstr "" -#: dist/converse-no-dependencies.js:40894 +#: dist/converse-no-dependencies.js:41587 msgid "name@conference.example.org" msgstr "" -#: dist/converse-no-dependencies.js:40895 +#: dist/converse-no-dependencies.js:41588 msgid "Join" msgstr "हिस्सा बनें" -#: dist/converse-no-dependencies.js:40944 +#: dist/converse-no-dependencies.js:41636 #, javascript-format msgid "Groupchat info for %1$s" msgstr "" -#: dist/converse-no-dependencies.js:41118 +#: dist/converse-no-dependencies.js:41812 +#, fuzzy, javascript-format +msgid "%1$s is no longer an admin of this groupchat" +msgstr "इस कमरे के बारे में और जानकारी दिखाएं" + +#: dist/converse-no-dependencies.js:41814 +#, fuzzy, javascript-format +msgid "%1$s is no longer an owner of this groupchat" +msgstr "इस कमरे को खोलने के लिए यहाँ क्लिक करें" + +#: dist/converse-no-dependencies.js:41816 +#, fuzzy, javascript-format +msgid "%1$s is no longer banned from this groupchat" +msgstr "आपको इस कमरे से प्रतिबन्धित कर दिया गया है" + +#: dist/converse-no-dependencies.js:41820 +#, javascript-format +msgid "%1$s is no longer a permanent member of this groupchat" +msgstr "" + +#: dist/converse-no-dependencies.js:41824 +#, fuzzy, javascript-format +msgid "%1$s is now a permanent member of this groupchat" +msgstr "आपको इस कमरे से प्रतिबन्धित कर दिया गया है" + +#: dist/converse-no-dependencies.js:41826 +#, fuzzy, javascript-format +msgid "%1$s has been banned from this groupchat" +msgstr "आपको इस कमरे से प्रतिबन्धित कर दिया गया है" + +#: dist/converse-no-dependencies.js:41828 +#, fuzzy, javascript-format +msgid "%1$s is now an " +msgstr "%1$s को प्रतिबन्धित कर दिया गया है" + +#: dist/converse-no-dependencies.js:41835 #, javascript-format msgid "%1$s is no longer a moderator" msgstr "" -#: dist/converse-no-dependencies.js:41122 +#: dist/converse-no-dependencies.js:41839 #, javascript-format msgid "%1$s has been given a voice again" msgstr "" -#: dist/converse-no-dependencies.js:41126 +#: dist/converse-no-dependencies.js:41843 #, javascript-format msgid "%1$s has been muted" msgstr "" -#: dist/converse-no-dependencies.js:41130 +#: dist/converse-no-dependencies.js:41847 #, javascript-format msgid "%1$s is now a moderator" msgstr "" -#: dist/converse-no-dependencies.js:41138 +#: dist/converse-no-dependencies.js:41855 msgid "Close and leave this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41139 +#: dist/converse-no-dependencies.js:41856 msgid "Configure this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41140 +#: dist/converse-no-dependencies.js:41857 msgid "Show more details about this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41180 +#: dist/converse-no-dependencies.js:41897 msgid "Hide the list of participants" msgstr "" -#: dist/converse-no-dependencies.js:41296 +#: dist/converse-no-dependencies.js:42013 msgid "Forbidden: you do not have the necessary role in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41308 +#: dist/converse-no-dependencies.js:42025 msgid "" "Forbidden: you do not have the necessary affiliation in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41320 +#: dist/converse-no-dependencies.js:42036 #, javascript-format msgid "" "Error: the \"%1$s\" command takes two arguments, the user's nickname and " "optionally a reason." msgstr "" -#: dist/converse-no-dependencies.js:41329 +#: dist/converse-no-dependencies.js:42045 +#, javascript-format +msgid "Error: couldn't find a groupchat participant \"%1$s\"" +msgstr "" + +#: dist/converse-no-dependencies.js:42054 msgid "" "Sorry, an error happened while running the command. Check your browser's " "developer console for details." msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Change user's affiliation to admin" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Ban user from groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Change user role to participant" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Kick user from groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Write in 3rd person" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Grant membership to a user" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Remove user's ability to post messages" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Change your nickname" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Grant moderator role to user" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Grant ownership of this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 +msgid "Register a nickname for this room" +msgstr "" + +#: dist/converse-no-dependencies.js:42113 msgid "Revoke user's membership" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject (alias for /subject)" msgstr "" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Allow muted user to post messages" msgstr "" -#: dist/converse-no-dependencies.js:41416 -msgid "Error: Can't find a groupchat participant with the nickname \"" +#: dist/converse-no-dependencies.js:42198 +msgid "Error: invalid number of arguments" msgstr "" -#: dist/converse-no-dependencies.js:41731 +#: dist/converse-no-dependencies.js:42448 msgid "" "The nickname you chose is reserved or currently in use, please choose a " "different one." msgstr "" -#: dist/converse-no-dependencies.js:41757 +#: dist/converse-no-dependencies.js:42474 msgid "Please choose your nickname" msgstr "" -#: dist/converse-no-dependencies.js:41758 -#: dist/converse-no-dependencies.js:45929 -#: dist/converse-no-dependencies.js:53206 +#: dist/converse-no-dependencies.js:42475 +#: dist/converse-no-dependencies.js:46786 +#: dist/converse-no-dependencies.js:54098 msgid "Nickname" msgstr "" -#: dist/converse-no-dependencies.js:41759 +#: dist/converse-no-dependencies.js:42476 msgid "Enter groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41780 +#: dist/converse-no-dependencies.js:42497 msgid "This groupchat requires a password" msgstr "" -#: dist/converse-no-dependencies.js:41781 +#: dist/converse-no-dependencies.js:42498 msgid "Password: " msgstr "" -#: dist/converse-no-dependencies.js:41782 +#: dist/converse-no-dependencies.js:42499 msgid "Submit" msgstr "" -#: dist/converse-no-dependencies.js:41904 +#: dist/converse-no-dependencies.js:42621 #, javascript-format msgid "This action was done by %1$s." msgstr "" -#: dist/converse-no-dependencies.js:41908 -#: dist/converse-no-dependencies.js:41926 +#: dist/converse-no-dependencies.js:42625 +#: dist/converse-no-dependencies.js:42643 #, javascript-format msgid "The reason given is: \"%1$s\"." msgstr "" -#: dist/converse-no-dependencies.js:41958 +#: dist/converse-no-dependencies.js:42675 #, javascript-format msgid "%1$s has left and re-entered the groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41971 +#: dist/converse-no-dependencies.js:42688 #, javascript-format msgid "%1$s has entered the groupchat" msgstr "" -#: dist/converse-no-dependencies.js:41973 +#: dist/converse-no-dependencies.js:42690 #, javascript-format msgid "%1$s has entered the groupchat. \"%2$s\"" msgstr "" -#: dist/converse-no-dependencies.js:42004 +#: dist/converse-no-dependencies.js:42725 #, javascript-format msgid "%1$s has entered and left the groupchat" msgstr "" -#: dist/converse-no-dependencies.js:42006 +#: dist/converse-no-dependencies.js:42727 #, javascript-format msgid "%1$s has entered and left the groupchat. \"%2$s\"" msgstr "" -#: dist/converse-no-dependencies.js:42026 +#: dist/converse-no-dependencies.js:42747 #, javascript-format msgid "%1$s has left the groupchat" msgstr "" -#: dist/converse-no-dependencies.js:42028 +#: dist/converse-no-dependencies.js:42749 #, javascript-format msgid "%1$s has left the groupchat. \"%2$s\"" msgstr "" -#: dist/converse-no-dependencies.js:42075 +#: dist/converse-no-dependencies.js:42796 msgid "You are not on the member list of this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:42077 +#: dist/converse-no-dependencies.js:42798 msgid "You have been banned from this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:42081 +#: dist/converse-no-dependencies.js:42802 msgid "No nickname was specified." msgstr "" -#: dist/converse-no-dependencies.js:42085 +#: dist/converse-no-dependencies.js:42806 msgid "You are not allowed to create new groupchats." msgstr "" -#: dist/converse-no-dependencies.js:42087 +#: dist/converse-no-dependencies.js:42808 msgid "Your nickname doesn't conform to this groupchat's policies." msgstr "" -#: dist/converse-no-dependencies.js:42091 +#: dist/converse-no-dependencies.js:42812 msgid "This groupchat does not (yet) exist." msgstr "" -#: dist/converse-no-dependencies.js:42093 +#: dist/converse-no-dependencies.js:42814 msgid "This groupchat has reached its maximum number of participants." msgstr "" -#: dist/converse-no-dependencies.js:42095 +#: dist/converse-no-dependencies.js:42816 msgid "Remote server not found" msgstr "" -#: dist/converse-no-dependencies.js:42100 +#: dist/converse-no-dependencies.js:42821 #, javascript-format msgid "The explanation given is: \"%1$s\"." msgstr "" -#: dist/converse-no-dependencies.js:42153 +#: dist/converse-no-dependencies.js:42870 #, javascript-format msgid "Topic set by %1$s" msgstr "" -#: dist/converse-no-dependencies.js:42176 +#: dist/converse-no-dependencies.js:42870 +#, javascript-format +msgid "Topic cleared by %1$s" +msgstr "" + +#: dist/converse-no-dependencies.js:42903 msgid "Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:42177 +#: dist/converse-no-dependencies.js:42904 msgid "Add a new groupchat" msgstr "" -#: dist/converse-no-dependencies.js:42178 +#: dist/converse-no-dependencies.js:42905 msgid "Query for groupchats" msgstr "" -#: dist/converse-no-dependencies.js:42216 +#: dist/converse-no-dependencies.js:42943 #, javascript-format msgid "Click to mention %1$s in your message." msgstr "" -#: dist/converse-no-dependencies.js:42217 +#: dist/converse-no-dependencies.js:42944 msgid "This user is a moderator." msgstr "" -#: dist/converse-no-dependencies.js:42218 +#: dist/converse-no-dependencies.js:42945 msgid "This user can send messages in this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:42219 +#: dist/converse-no-dependencies.js:42946 msgid "This user can NOT send messages in this groupchat." msgstr "" -#: dist/converse-no-dependencies.js:42220 +#: dist/converse-no-dependencies.js:42947 msgid "Moderator" msgstr "" -#: dist/converse-no-dependencies.js:42221 +#: dist/converse-no-dependencies.js:42948 msgid "Visitor" msgstr "" -#: dist/converse-no-dependencies.js:42222 +#: dist/converse-no-dependencies.js:42949 msgid "Owner" msgstr "" -#: dist/converse-no-dependencies.js:42223 +#: dist/converse-no-dependencies.js:42950 msgid "Member" msgstr "" -#: dist/converse-no-dependencies.js:42224 +#: dist/converse-no-dependencies.js:42951 msgid "Admin" msgstr "" -#: dist/converse-no-dependencies.js:42266 +#: dist/converse-no-dependencies.js:42993 msgid "Participants" msgstr "" -#: dist/converse-no-dependencies.js:42283 -#: dist/converse-no-dependencies.js:42364 +#: dist/converse-no-dependencies.js:43010 +#: dist/converse-no-dependencies.js:43091 msgid "Invite" msgstr "" -#: dist/converse-no-dependencies.js:42341 +#: dist/converse-no-dependencies.js:43068 #, javascript-format msgid "" "You are about to invite %1$s to the groupchat \"%2$s\". You may optionally " "include a message, explaining the reason for the invitation." msgstr "" -#: dist/converse-no-dependencies.js:42363 +#: dist/converse-no-dependencies.js:43090 msgid "Please enter a valid XMPP username" msgstr "" -#: dist/converse-no-dependencies.js:43898 +#: dist/converse-no-dependencies.js:44221 +msgid "You're not allowed to register yourself in this groupchat." +msgstr "" + +#: dist/converse-no-dependencies.js:44223 +msgid "" +"You're not allowed to register in this groupchat because it's members-only." +msgstr "" + +#: dist/converse-no-dependencies.js:44256 +msgid "" +"Can't register your nickname in this groupchat, it doesn't support " +"registration." +msgstr "" + +#: dist/converse-no-dependencies.js:44258 +msgid "" +"Can't register your nickname in this groupchat, invalid data form supplied." +msgstr "" + +#: dist/converse-no-dependencies.js:44718 #, javascript-format msgid "%1$s has invited you to join a groupchat: %2$s" msgstr "" -#: dist/converse-no-dependencies.js:43900 +#: dist/converse-no-dependencies.js:44720 #, javascript-format msgid "" "%1$s has invited you to join a groupchat: %2$s, and left the following " "reason: \"%3$s\"" msgstr "" +#: dist/converse-no-dependencies.js:44809 +#, fuzzy +msgid "Error: the groupchat " +msgstr "इस कमरे को छोड़ें" + +#: dist/converse-no-dependencies.js:44811 +#, fuzzy +msgid "Sorry, you're not allowed to registerd in this groupchat" +msgstr "इस कमरे के बारे में और जानकारी दिखाएं" + #. workaround for Prosody which doesn't give type "headline" -#: dist/converse-no-dependencies.js:44357 -#: dist/converse-no-dependencies.js:44363 +#: dist/converse-no-dependencies.js:45196 +#: dist/converse-no-dependencies.js:45202 #, javascript-format msgid "Notification from %1$s" msgstr "" -#: dist/converse-no-dependencies.js:44365 -#: dist/converse-no-dependencies.js:44376 -#: dist/converse-no-dependencies.js:44379 +#: dist/converse-no-dependencies.js:45204 +#: dist/converse-no-dependencies.js:45215 +#: dist/converse-no-dependencies.js:45218 #, javascript-format msgid "%1$s says" msgstr "" -#: dist/converse-no-dependencies.js:44407 +#. TODO: we should suppress notifications if we cannot decrypt +#. the message... +#: dist/converse-no-dependencies.js:45227 +msgid "OMEMO Message received" +msgstr "" + +#: dist/converse-no-dependencies.js:45254 msgid "has gone offline" msgstr "" -#: dist/converse-no-dependencies.js:44409 +#: dist/converse-no-dependencies.js:45256 msgid "has gone away" msgstr "" -#: dist/converse-no-dependencies.js:44411 +#: dist/converse-no-dependencies.js:45258 msgid "is busy" msgstr "" -#: dist/converse-no-dependencies.js:44413 +#: dist/converse-no-dependencies.js:45260 msgid "has come online" msgstr "" -#: dist/converse-no-dependencies.js:44430 +#: dist/converse-no-dependencies.js:45277 msgid "wants to be your contact" msgstr "" -#: dist/converse-no-dependencies.js:44651 +#: dist/converse-no-dependencies.js:45498 msgid "Sorry, an error occurred while trying to remove the devices." msgstr "" -#: dist/converse-no-dependencies.js:44774 +#: dist/converse-no-dependencies.js:45630 msgid "Sorry, could not decrypt a received OMEMO message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:44925 +#: dist/converse-no-dependencies.js:45781 msgid "" "This is an OMEMO encrypted message which your client doesn’t seem to " "support. Find more information on https://conversations.im/omemo" msgstr "" -#: dist/converse-no-dependencies.js:44985 +#: dist/converse-no-dependencies.js:45842 msgid "Sorry, could not send the message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:45923 +#: dist/converse-no-dependencies.js:46780 msgid "Your avatar image" msgstr "" -#: dist/converse-no-dependencies.js:45924 +#: dist/converse-no-dependencies.js:46781 msgid "Your Profile" msgstr "" -#: dist/converse-no-dependencies.js:45925 -#: dist/converse-no-dependencies.js:46015 -#: dist/converse-no-dependencies.js:50812 -#: dist/converse-no-dependencies.js:51977 -#: dist/converse-no-dependencies.js:53180 -#: dist/converse-no-dependencies.js:53300 +#: dist/converse-no-dependencies.js:46782 +#: dist/converse-no-dependencies.js:46872 +#: dist/converse-no-dependencies.js:51702 +#: dist/converse-no-dependencies.js:52869 +#: dist/converse-no-dependencies.js:54072 +#: dist/converse-no-dependencies.js:54192 msgid "Close" msgstr "" -#: dist/converse-no-dependencies.js:45926 -#: dist/converse-no-dependencies.js:53224 +#: dist/converse-no-dependencies.js:46783 +#: dist/converse-no-dependencies.js:54116 msgid "Email" msgstr "" -#: dist/converse-no-dependencies.js:45927 -#: dist/converse-no-dependencies.js:53194 +#: dist/converse-no-dependencies.js:46784 +#: dist/converse-no-dependencies.js:54086 msgid "Full Name" msgstr "" -#: dist/converse-no-dependencies.js:45928 +#: dist/converse-no-dependencies.js:46785 msgid "XMPP Address (JID)" msgstr "" -#: dist/converse-no-dependencies.js:45930 -#: dist/converse-no-dependencies.js:53234 +#: dist/converse-no-dependencies.js:46787 +#: dist/converse-no-dependencies.js:54126 msgid "Role" msgstr "" -#: dist/converse-no-dependencies.js:45931 +#: dist/converse-no-dependencies.js:46788 msgid "" "Use commas to separate multiple roles. Your roles are shown next to your " "name on your chat messages." msgstr "" -#: dist/converse-no-dependencies.js:45932 -#: dist/converse-no-dependencies.js:53214 +#: dist/converse-no-dependencies.js:46789 +#: dist/converse-no-dependencies.js:54106 msgid "URL" msgstr "" -#: dist/converse-no-dependencies.js:45966 +#: dist/converse-no-dependencies.js:46823 msgid "Sorry, an error happened while trying to save your profile data." msgstr "" -#: dist/converse-no-dependencies.js:45966 +#: dist/converse-no-dependencies.js:46823 msgid "You can check your browser's developer console for any error output." msgstr "" -#: dist/converse-no-dependencies.js:46014 -#: dist/converse-no-dependencies.js:48646 +#: dist/converse-no-dependencies.js:46871 +#: dist/converse-no-dependencies.js:49536 msgid "Away" msgstr "" -#: dist/converse-no-dependencies.js:46016 -#: dist/converse-no-dependencies.js:48645 +#: dist/converse-no-dependencies.js:46873 +#: dist/converse-no-dependencies.js:49535 msgid "Busy" msgstr "" -#: dist/converse-no-dependencies.js:46018 +#: dist/converse-no-dependencies.js:46875 msgid "Custom status" msgstr "" -#: dist/converse-no-dependencies.js:46019 -#: dist/converse-no-dependencies.js:48648 +#: dist/converse-no-dependencies.js:46876 +#: dist/converse-no-dependencies.js:49538 msgid "Offline" msgstr "" -#: dist/converse-no-dependencies.js:46020 -#: dist/converse-no-dependencies.js:48643 +#: dist/converse-no-dependencies.js:46877 +#: dist/converse-no-dependencies.js:49533 msgid "Online" msgstr "" -#: dist/converse-no-dependencies.js:46022 +#: dist/converse-no-dependencies.js:46879 msgid "Away for long" msgstr "" -#: dist/converse-no-dependencies.js:46023 +#: dist/converse-no-dependencies.js:46880 msgid "Change chat status" msgstr "" -#: dist/converse-no-dependencies.js:46024 +#: dist/converse-no-dependencies.js:46881 msgid "Personal status message" msgstr "" -#: dist/converse-no-dependencies.js:46069 +#: dist/converse-no-dependencies.js:46926 #, javascript-format msgid "I am %1$s" msgstr "" -#: dist/converse-no-dependencies.js:46072 +#: dist/converse-no-dependencies.js:46929 msgid "Change settings" msgstr "" -#: dist/converse-no-dependencies.js:46073 +#: dist/converse-no-dependencies.js:46930 msgid "Click to change your chat status" msgstr "" -#: dist/converse-no-dependencies.js:46074 +#: dist/converse-no-dependencies.js:46931 msgid "Log out" msgstr "" -#: dist/converse-no-dependencies.js:46075 +#: dist/converse-no-dependencies.js:46932 msgid "Your profile" msgstr "" -#: dist/converse-no-dependencies.js:46101 +#: dist/converse-no-dependencies.js:46958 msgid "Are you sure you want to log out?" msgstr "" -#: dist/converse-no-dependencies.js:46109 -#: dist/converse-no-dependencies.js:46119 +#: dist/converse-no-dependencies.js:46966 +#: dist/converse-no-dependencies.js:46976 msgid "online" msgstr "" -#: dist/converse-no-dependencies.js:46111 +#: dist/converse-no-dependencies.js:46968 msgid "busy" msgstr "" -#: dist/converse-no-dependencies.js:46113 +#: dist/converse-no-dependencies.js:46970 msgid "away for long" msgstr "" -#: dist/converse-no-dependencies.js:46115 +#: dist/converse-no-dependencies.js:46972 msgid "away" msgstr "" -#: dist/converse-no-dependencies.js:46117 +#: dist/converse-no-dependencies.js:46974 msgid "offline" msgstr "" -#: dist/converse-no-dependencies.js:46419 +#: dist/converse-no-dependencies.js:47307 msgid " e.g. conversejs.org" msgstr "" -#: dist/converse-no-dependencies.js:46466 +#: dist/converse-no-dependencies.js:47354 msgid "Fetch registration form" msgstr "" -#: dist/converse-no-dependencies.js:46467 +#: dist/converse-no-dependencies.js:47355 msgid "Tip: A list of public XMPP providers is available" msgstr "" -#: dist/converse-no-dependencies.js:46468 +#: dist/converse-no-dependencies.js:47356 msgid "here" msgstr "" -#: dist/converse-no-dependencies.js:46516 +#: dist/converse-no-dependencies.js:47404 msgid "Sorry, we're unable to connect to your chosen provider." msgstr "" -#: dist/converse-no-dependencies.js:46532 +#: dist/converse-no-dependencies.js:47420 msgid "" "Sorry, the given provider does not support in band account registration. " "Please try with a different provider." msgstr "" -#: dist/converse-no-dependencies.js:46556 +#: dist/converse-no-dependencies.js:47444 #, javascript-format msgid "" "Something went wrong while establishing a connection with \"%1$s\". Are you " "sure it exists?" msgstr "" -#: dist/converse-no-dependencies.js:46719 +#: dist/converse-no-dependencies.js:47607 msgid "Now logging you in" msgstr "" -#: dist/converse-no-dependencies.js:46723 +#: dist/converse-no-dependencies.js:47611 msgid "Registered successfully" msgstr "" -#: dist/converse-no-dependencies.js:46832 +#: dist/converse-no-dependencies.js:47720 msgid "" "The provider rejected your registration attempt. Please check the values you " "entered for correctness." msgstr "" -#: dist/converse-no-dependencies.js:47207 +#: dist/converse-no-dependencies.js:48095 msgid "Click to toggle the list of open groupchats" msgstr "" -#: dist/converse-no-dependencies.js:47208 +#: dist/converse-no-dependencies.js:48096 msgid "Open Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:47252 +#: dist/converse-no-dependencies.js:48140 #, javascript-format msgid "Are you sure you want to leave the groupchat %1$s?" msgstr "" -#: dist/converse-no-dependencies.js:47878 +#: dist/converse-no-dependencies.js:48766 #, javascript-format msgid "Sorry, there was an error while trying to add %1$s as a contact." msgstr "" -#: dist/converse-no-dependencies.js:48089 +#: dist/converse-no-dependencies.js:48977 msgid "This client does not allow presence subscriptions" msgstr "" -#: dist/converse-no-dependencies.js:48197 +#: dist/converse-no-dependencies.js:49087 msgid "Click to hide these contacts" msgstr "" -#: dist/converse-no-dependencies.js:48461 +#: dist/converse-no-dependencies.js:49351 msgid "This contact is busy" msgstr "" -#: dist/converse-no-dependencies.js:48462 +#: dist/converse-no-dependencies.js:49352 msgid "This contact is online" msgstr "" -#: dist/converse-no-dependencies.js:48463 +#: dist/converse-no-dependencies.js:49353 msgid "This contact is offline" msgstr "" -#: dist/converse-no-dependencies.js:48464 +#: dist/converse-no-dependencies.js:49354 msgid "This contact is unavailable" msgstr "" -#: dist/converse-no-dependencies.js:48465 +#: dist/converse-no-dependencies.js:49355 msgid "This contact is away for an extended period" msgstr "" -#: dist/converse-no-dependencies.js:48466 +#: dist/converse-no-dependencies.js:49356 msgid "This contact is away" msgstr "" -#: dist/converse-no-dependencies.js:48469 +#: dist/converse-no-dependencies.js:49359 msgid "Groups" msgstr "" -#: dist/converse-no-dependencies.js:48471 +#: dist/converse-no-dependencies.js:49361 msgid "My contacts" msgstr "" -#: dist/converse-no-dependencies.js:48473 +#: dist/converse-no-dependencies.js:49363 msgid "Pending contacts" msgstr "" -#: dist/converse-no-dependencies.js:48475 +#: dist/converse-no-dependencies.js:49365 msgid "Contact requests" msgstr "" -#: dist/converse-no-dependencies.js:48477 +#: dist/converse-no-dependencies.js:49367 msgid "Ungrouped" msgstr "" -#: dist/converse-no-dependencies.js:48520 +#: dist/converse-no-dependencies.js:49410 msgid "Contact name" msgstr "" -#: dist/converse-no-dependencies.js:48523 +#: dist/converse-no-dependencies.js:49413 msgid "Add a Contact" msgstr "" -#: dist/converse-no-dependencies.js:48524 -#: dist/converse-no-dependencies.js:53200 +#: dist/converse-no-dependencies.js:49414 +#: dist/converse-no-dependencies.js:54092 msgid "XMPP Address" msgstr "" -#: dist/converse-no-dependencies.js:48526 +#: dist/converse-no-dependencies.js:49416 msgid "name@example.org" msgstr "" -#: dist/converse-no-dependencies.js:48527 +#: dist/converse-no-dependencies.js:49417 msgid "Add" msgstr "" -#: dist/converse-no-dependencies.js:48637 +#: dist/converse-no-dependencies.js:49527 msgid "Filter" msgstr "" -#: dist/converse-no-dependencies.js:48638 +#: dist/converse-no-dependencies.js:49528 msgid "Filter by contact name" msgstr "" -#: dist/converse-no-dependencies.js:48639 +#: dist/converse-no-dependencies.js:49529 msgid "Filter by group name" msgstr "" -#: dist/converse-no-dependencies.js:48640 +#: dist/converse-no-dependencies.js:49530 msgid "Filter by status" msgstr "" -#: dist/converse-no-dependencies.js:48641 +#: dist/converse-no-dependencies.js:49531 msgid "Any" msgstr "" -#: dist/converse-no-dependencies.js:48642 +#: dist/converse-no-dependencies.js:49532 msgid "Unread" msgstr "" -#: dist/converse-no-dependencies.js:48644 +#: dist/converse-no-dependencies.js:49534 msgid "Chatty" msgstr "" -#: dist/converse-no-dependencies.js:48647 +#: dist/converse-no-dependencies.js:49537 msgid "Extended Away" msgstr "" -#: dist/converse-no-dependencies.js:48816 -#: dist/converse-no-dependencies.js:48873 +#: dist/converse-no-dependencies.js:49706 +#: dist/converse-no-dependencies.js:49763 #, javascript-format msgid "Click to remove %1$s as a contact" msgstr "" -#: dist/converse-no-dependencies.js:48825 +#: dist/converse-no-dependencies.js:49715 #, javascript-format msgid "Click to accept the contact request from %1$s" msgstr "" -#: dist/converse-no-dependencies.js:48826 +#: dist/converse-no-dependencies.js:49716 #, javascript-format msgid "Click to decline the contact request from %1$s" msgstr "" -#: dist/converse-no-dependencies.js:48872 +#: dist/converse-no-dependencies.js:49762 #, javascript-format msgid "Click to chat with %1$s (JID: %2$s)" msgstr "" -#: dist/converse-no-dependencies.js:48949 +#: dist/converse-no-dependencies.js:49839 msgid "Are you sure you want to decline this contact request?" msgstr "" -#: dist/converse-no-dependencies.js:49218 +#: dist/converse-no-dependencies.js:50108 msgid "Contacts" msgstr "" -#: dist/converse-no-dependencies.js:49219 +#: dist/converse-no-dependencies.js:50109 msgid "Add a contact" msgstr "" -#: dist/converse-no-dependencies.js:50678 +#: dist/converse-no-dependencies.js:51568 msgid "Name" msgstr "" -#: dist/converse-no-dependencies.js:50682 +#: dist/converse-no-dependencies.js:51572 msgid "Groupchat address (JID)" msgstr "" -#: dist/converse-no-dependencies.js:50686 +#: dist/converse-no-dependencies.js:51576 msgid "Description" msgstr "" -#: dist/converse-no-dependencies.js:50692 +#: dist/converse-no-dependencies.js:51582 msgid "Topic" msgstr "" -#: dist/converse-no-dependencies.js:50696 +#: dist/converse-no-dependencies.js:51586 msgid "Topic author" msgstr "" -#: dist/converse-no-dependencies.js:50702 +#: dist/converse-no-dependencies.js:51592 msgid "Online users" msgstr "" -#: dist/converse-no-dependencies.js:50706 -#: dist/converse-no-dependencies.js:50858 +#: dist/converse-no-dependencies.js:51596 +#: dist/converse-no-dependencies.js:51748 msgid "Features" msgstr "" -#: dist/converse-no-dependencies.js:50710 -#: dist/converse-no-dependencies.js:50866 +#: dist/converse-no-dependencies.js:51600 +#: dist/converse-no-dependencies.js:51756 msgid "Password protected" msgstr "" -#: dist/converse-no-dependencies.js:50712 -#: dist/converse-no-dependencies.js:50864 +#: dist/converse-no-dependencies.js:51602 +#: dist/converse-no-dependencies.js:51754 msgid "This groupchat requires a password before entry" msgstr "" -#: dist/converse-no-dependencies.js:50718 +#: dist/converse-no-dependencies.js:51608 msgid "No password required" msgstr "" -#: dist/converse-no-dependencies.js:50720 -#: dist/converse-no-dependencies.js:50872 +#: dist/converse-no-dependencies.js:51610 +#: dist/converse-no-dependencies.js:51762 msgid "This groupchat does not require a password upon entry" msgstr "" -#: dist/converse-no-dependencies.js:50728 -#: dist/converse-no-dependencies.js:50880 +#: dist/converse-no-dependencies.js:51618 +#: dist/converse-no-dependencies.js:51770 msgid "This groupchat is not publicly searchable" msgstr "" -#: dist/converse-no-dependencies.js:50736 -#: dist/converse-no-dependencies.js:50888 +#: dist/converse-no-dependencies.js:51626 +#: dist/converse-no-dependencies.js:51778 msgid "This groupchat is publicly searchable" msgstr "" -#: dist/converse-no-dependencies.js:50742 -#: dist/converse-no-dependencies.js:50898 +#: dist/converse-no-dependencies.js:51632 +#: dist/converse-no-dependencies.js:51788 msgid "Members only" msgstr "" -#: dist/converse-no-dependencies.js:50744 +#: dist/converse-no-dependencies.js:51634 msgid "This groupchat is restricted to members only" msgstr "" -#: dist/converse-no-dependencies.js:50752 -#: dist/converse-no-dependencies.js:50904 +#: dist/converse-no-dependencies.js:51642 +#: dist/converse-no-dependencies.js:51794 msgid "Anyone can join this groupchat" msgstr "" -#: dist/converse-no-dependencies.js:50758 -#: dist/converse-no-dependencies.js:50914 +#: dist/converse-no-dependencies.js:51648 +#: dist/converse-no-dependencies.js:51804 msgid "Persistent" msgstr "" -#: dist/converse-no-dependencies.js:50760 -#: dist/converse-no-dependencies.js:50912 +#: dist/converse-no-dependencies.js:51650 +#: dist/converse-no-dependencies.js:51802 msgid "This groupchat persists even if it's unoccupied" msgstr "" -#: dist/converse-no-dependencies.js:50768 -#: dist/converse-no-dependencies.js:50920 +#: dist/converse-no-dependencies.js:51658 +#: dist/converse-no-dependencies.js:51810 msgid "This groupchat will disappear once the last person leaves" msgstr "" -#: dist/converse-no-dependencies.js:50774 -#: dist/converse-no-dependencies.js:50930 +#: dist/converse-no-dependencies.js:51664 +#: dist/converse-no-dependencies.js:51820 msgid "Not anonymous" msgstr "" -#: dist/converse-no-dependencies.js:50776 -#: dist/converse-no-dependencies.js:50928 +#: dist/converse-no-dependencies.js:51666 +#: dist/converse-no-dependencies.js:51818 msgid "All other groupchat participants can see your XMPP username" msgstr "" -#: dist/converse-no-dependencies.js:50784 -#: dist/converse-no-dependencies.js:50936 +#: dist/converse-no-dependencies.js:51674 +#: dist/converse-no-dependencies.js:51826 msgid "Only moderators can see your XMPP username" msgstr "" -#: dist/converse-no-dependencies.js:50792 -#: dist/converse-no-dependencies.js:50944 +#: dist/converse-no-dependencies.js:51682 +#: dist/converse-no-dependencies.js:51834 msgid "This groupchat is being moderated" msgstr "" -#: dist/converse-no-dependencies.js:50798 -#: dist/converse-no-dependencies.js:50954 +#: dist/converse-no-dependencies.js:51688 +#: dist/converse-no-dependencies.js:51844 msgid "Not moderated" msgstr "" -#: dist/converse-no-dependencies.js:50800 -#: dist/converse-no-dependencies.js:50952 +#: dist/converse-no-dependencies.js:51690 +#: dist/converse-no-dependencies.js:51842 msgid "This groupchat is not being moderated" msgstr "" -#: dist/converse-no-dependencies.js:50806 -#: dist/converse-no-dependencies.js:50962 +#: dist/converse-no-dependencies.js:51696 +#: dist/converse-no-dependencies.js:51852 msgid "Message archiving" msgstr "" -#: dist/converse-no-dependencies.js:50808 -#: dist/converse-no-dependencies.js:50960 +#: dist/converse-no-dependencies.js:51698 +#: dist/converse-no-dependencies.js:51850 msgid "Messages are archived on the server" msgstr "" -#: dist/converse-no-dependencies.js:50874 +#: dist/converse-no-dependencies.js:51764 msgid "No password" msgstr "" -#: dist/converse-no-dependencies.js:50896 +#: dist/converse-no-dependencies.js:51786 msgid "this groupchat is restricted to members only" msgstr "" -#: dist/converse-no-dependencies.js:51799 +#: dist/converse-no-dependencies.js:52691 msgid "XMPP Username:" msgstr "" -#: dist/converse-no-dependencies.js:51805 +#: dist/converse-no-dependencies.js:52697 msgid "Password:" msgstr "" -#: dist/converse-no-dependencies.js:51807 +#: dist/converse-no-dependencies.js:52699 msgid "password" msgstr "" -#: dist/converse-no-dependencies.js:51815 +#: dist/converse-no-dependencies.js:52707 msgid "This is a trusted device" msgstr "" -#: dist/converse-no-dependencies.js:51817 +#: dist/converse-no-dependencies.js:52709 msgid "" "To improve performance, we cache your data in this browser. Uncheck this box " "if this is a public computer or if you want your data to be deleted when you " @@ -1412,141 +1501,147 @@ msgid "" "cached data might be deleted." msgstr "" -#: dist/converse-no-dependencies.js:51819 +#: dist/converse-no-dependencies.js:52711 msgid "Log in" msgstr "" -#: dist/converse-no-dependencies.js:51825 +#: dist/converse-no-dependencies.js:52717 msgid "Click here to log in anonymously" msgstr "" -#: dist/converse-no-dependencies.js:51914 +#: dist/converse-no-dependencies.js:52806 msgid "This message has been edited" msgstr "" -#: dist/converse-no-dependencies.js:51940 +#: dist/converse-no-dependencies.js:52832 msgid "Edit this message" msgstr "" -#: dist/converse-no-dependencies.js:51965 +#: dist/converse-no-dependencies.js:52857 msgid "Message versions" msgstr "" -#: dist/converse-no-dependencies.js:52190 +#: dist/converse-no-dependencies.js:53082 msgid "Save and close" msgstr "" -#: dist/converse-no-dependencies.js:52194 +#: dist/converse-no-dependencies.js:53086 msgid "This device's OMEMO fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52206 +#: dist/converse-no-dependencies.js:53098 msgid "Select all" msgstr "" -#: dist/converse-no-dependencies.js:52208 +#: dist/converse-no-dependencies.js:53100 msgid "Checkbox to select fingerprints of all other OMEMO devices" msgstr "" -#: dist/converse-no-dependencies.js:52210 +#: dist/converse-no-dependencies.js:53102 msgid "Other OMEMO-enabled devices" msgstr "" -#: dist/converse-no-dependencies.js:52218 -#: dist/converse-no-dependencies.js:52226 +#: dist/converse-no-dependencies.js:53110 +#: dist/converse-no-dependencies.js:53118 msgid "Checkbox for selecting the following fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52228 +#: dist/converse-no-dependencies.js:53120 msgid "Device without a fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52234 +#: dist/converse-no-dependencies.js:53126 msgid "Remove checked devices and close" msgstr "" -#: dist/converse-no-dependencies.js:52316 +#: dist/converse-no-dependencies.js:53208 msgid "Don't have a chat account?" msgstr "" -#: dist/converse-no-dependencies.js:52318 +#: dist/converse-no-dependencies.js:53210 msgid "Create an account" msgstr "" -#: dist/converse-no-dependencies.js:52339 +#: dist/converse-no-dependencies.js:53231 msgid "Create your account" msgstr "" -#: dist/converse-no-dependencies.js:52341 +#: dist/converse-no-dependencies.js:53233 msgid "Please enter the XMPP provider to register with:" msgstr "" -#: dist/converse-no-dependencies.js:52361 +#: dist/converse-no-dependencies.js:53253 msgid "Already have a chat account?" msgstr "" -#: dist/converse-no-dependencies.js:52363 +#: dist/converse-no-dependencies.js:53255 msgid "Log in here" msgstr "" -#: dist/converse-no-dependencies.js:52384 +#: dist/converse-no-dependencies.js:53276 msgid "Account Registration:" msgstr "" -#: dist/converse-no-dependencies.js:52392 +#: dist/converse-no-dependencies.js:53284 msgid "Register" msgstr "" -#: dist/converse-no-dependencies.js:52396 +#: dist/converse-no-dependencies.js:53288 msgid "Choose a different provider" msgstr "" -#: dist/converse-no-dependencies.js:52417 +#: dist/converse-no-dependencies.js:53309 msgid "Hold tight, we're fetching the registration form…" msgstr "" -#: dist/converse-no-dependencies.js:53132 +#: dist/converse-no-dependencies.js:54024 msgid "Messages are being sent in plaintext" msgstr "" -#: dist/converse-no-dependencies.js:53184 +#: dist/converse-no-dependencies.js:54076 msgid "The User's Profile Image" msgstr "" -#: dist/converse-no-dependencies.js:53242 +#: dist/converse-no-dependencies.js:54134 msgid "OMEMO Fingerprints" msgstr "" -#: dist/converse-no-dependencies.js:53266 +#: dist/converse-no-dependencies.js:54158 msgid "Trusted" msgstr "" -#: dist/converse-no-dependencies.js:53280 +#: dist/converse-no-dependencies.js:54172 msgid "Untrusted" msgstr "" -#: dist/converse-no-dependencies.js:53294 +#: dist/converse-no-dependencies.js:54186 msgid "Remove as contact" msgstr "" -#: dist/converse-no-dependencies.js:53298 +#: dist/converse-no-dependencies.js:54190 msgid "Refresh" msgstr "" -#: dist/converse-no-dependencies.js:53667 -#: dist/converse-no-dependencies.js:53698 +#: dist/converse-no-dependencies.js:54559 msgid "Download" msgstr "" -#: dist/converse-no-dependencies.js:53687 +#: dist/converse-no-dependencies.js:54579 #, javascript-format -msgid "Download \"%1$s\"" +msgid "Download file \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:53711 -msgid "Download video file" +#: dist/converse-no-dependencies.js:54591 +#, javascript-format +msgid "Download image \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:53724 -msgid "Download audio file" +#: dist/converse-no-dependencies.js:54604 +#, javascript-format +msgid "Download video file \"%1$s\"" +msgstr "" + +#: dist/converse-no-dependencies.js:54617 +#, javascript-format +msgid "Download audio file \"%1$s\"" msgstr "" diff --git a/locale/hu/LC_MESSAGES/converse.json b/locale/hu/LC_MESSAGES/converse.json index a041c03ce..8e29c2f51 100644 --- a/locale/hu/LC_MESSAGES/converse.json +++ b/locale/hu/LC_MESSAGES/converse.json @@ -1 +1 @@ -{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n != 1;","lang":"hu"},"Bookmark this groupchat":["Konferencia megjelölése"],"The name for this bookmark:":["A könyvjelző neve legyen:"],"Would you like this groupchat to be automatically joined upon startup?":["Szeretné ha induláskor automatikusan csatlakozna ehhez a konferenciához?"],"What should your nickname for this groupchat be?":["Mi legyen a beceneve ebben a konferenciában?"],"Save":["Mentés"],"Cancel":["Mégsem"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Biztosan el szeretné távolítani a(z) \"%1$s\" könyvjelzőt?"],"Error":["Hiba"],"Sorry, something went wrong while trying to save your bookmark.":["Sajnáljuk, valami hiba történt a könyvjelző mentése közben."],"Leave this groupchat":["Konferencia elhagyása"],"Remove this bookmark":["Könyvjelző eltávolítása"],"Unbookmark this groupchat":["Konferencia könyvjelzőjének törlése"],"Show more information on this groupchat":["További információk a konferenciáról"],"Click to open this groupchat":["Belépés a konferenciába"],"Click to toggle the bookmarks list":["Kattintson a könyvjelzők listájára váltáshoz"],"Bookmarks":["Könyvjelzők"],"Sorry, could not determine file upload URL.":["Sajnáljuk, nem sikerült meghatározni a fájl feltöltési URL-jét."],"Sorry, could not determine upload URL.":["Sajnáljuk, nem sikerült meghatározni a feltöltési URL-t."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Sajnáljuk, a fájlt nem sikerült feltölteni. A szervered válasza: \"%1$s\""],"Sorry, could not succesfully upload your file.":["Sajnáljuk, a fájlt nem sikerült feltölteni."],"Sorry, looks like file upload is not supported by your server.":["Sajnálom, úgy tűnik, hogy a szerver nem támogatja a fájl feltöltést."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["A fájlod mérete: %1$s meghaladja a szervered által megengedettet, ami: %2$s."],"Sorry, an error occurred:":["Sajnáljuk, hiba történt:"],"Close this chat box":["A csevegőablak bezárása"],"Are you sure you want to remove this contact?":["Valóban törölni szeretné a csevegőpartnerét?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Sajnáljuk, hiba történt %1$s mint ismerős eltávolítása közben."],"You have unread messages":["Olvasatlan üzenetei vannak"],"Hidden message":["Rejtett üzenet"],"Message":["Üzenet"],"Send":["Elküld"],"Optional hint":["Választható tipp"],"Choose a file to send":["Válasszon ki egy fájlt küldéshez"],"Click to write as a normal (non-spoiler) message":["Kattintson normál (nem spoiler) üzenet írásához"],"Click to write your message as a spoiler":["Kattintson spoiler üzenet írásához"],"Clear all messages":["Üzenetek törlése"],"Insert emojis":["Emotikonok beszúrása"],"Start a call":["Hívás indítása"],"Remove messages":["Üzenetek törlése"],"Write in the third person":["Írjon egyes szám harmadik személyben"],"Show this menu":["Mutasd a menüt"],"Are you sure you want to clear the messages from this conversation?":["Biztosan törölni szeretné ebből a beszélgetésből származó üzeneteket?"],"%1$s has gone offline":["%1$s nem elérhetővé vált"],"%1$s has gone away":["%1$s távol van"],"%1$s is busy":["%1$s elfoglalt"],"%1$s is online":["%1$s elérhető"],"Username":["Felhasználónév"],"user@domain":["felhasználó@tartomány"],"Please enter a valid XMPP address":["Kérjük, adjon meg érvényes XMPP címet"],"Chat Contacts":["Csevegőpartnerek"],"Toggle chat":["Csevegőablak"],"The connection has dropped, attempting to reconnect.":["A kapcsolat megszakadt, megpróbál újra csatlakozni."],"An error occurred while connecting to the chat server.":["Hiba történt a chat szerverhez való csatlakozás közben."],"Your Jabber ID and/or password is incorrect. Please try again.":["Jabber-azonosítója és/vagy jelszava helytelen. Kérem, próbálja újra."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Sajnáljuk, nem tudtunk csatlakozni a domainhez tartozó XMPP gazdagéphez: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Az XMPP kiszolgáló nem ajánlott fel támogatott hitelesítési mechanizmust"],"Show more":["Mutass többet"],"Typing from another device":["Gépelés másik eszközről"],"%1$s is typing":["%1$s éppen ír"],"Stopped typing on the other device":["Abbahagyta a gépelést"],"%1$s has stopped typing":["%1$s abbahagyta a gépelést"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["A csevegés minimalizálása"],"Click to restore this chat":["A csevegés visszaállítása"],"Minimized":["Minimalizálva"],"This groupchat is not anonymous":["Ez a konferencia NEM névtelen"],"This groupchat now shows unavailable members":["A konferencia mostantól nem elérhető tagokat mutat"],"This groupchat does not show unavailable members":["Ez a konferencia nem mutat elérhetetlen tagokat"],"The groupchat configuration has changed":["A konferencia beállítása megváltozott"],"groupchat logging is now enabled":["A konferencia naplózása engedélyezve"],"groupchat logging is now disabled":["A konferencia naplózása letiltva"],"This groupchat is now no longer anonymous":["A konferencia most már nem névtelen"],"This groupchat is now semi-anonymous":["A konferencia most már félig névtelen"],"This groupchat is now fully-anonymous":["A konferencia most már teljesen névtelen"],"A new groupchat has been created":["Létrejött egy új konferencia"],"You have been banned from this groupchat":["Ki lettél tiltva ebből a konferenciából"],"You have been kicked from this groupchat":["Ki lettél dobva ebből a konferenciából"],"You have been removed from this groupchat because of an affiliation change":["Taglista módosítás miatt kiléptettünk a konferenciából"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Kiléptettünk a konferenciából, mert mostantól csak a taglistán szereplők lehetnek jelen"],"You have been removed from this groupchat because the service hosting it is being shut down":["Kiléptettük a konferenciából, mert a szolgáltatás leállításra került"],"%1$s has been banned":["%1$s ki lett tiltva"],"%1$s's nickname has changed":["%1$s beceneve módosult"],"%1$s has been kicked out":["%1$s ki lett dobva"],"%1$s has been removed because of an affiliation change":["%1$s el lett távolítva, tagság változás miatt"],"%1$s has been removed for not being a member":["%1$s el lett távolítva, mert nem volt tag"],"Your nickname has been automatically set to %1$s":["A beceneve automatikusan ez lett: %1$s"],"Your nickname has been changed to %1$s":["A beceneved a következőre módosult: %1$s"],"Description:":["Leírás:"],"Groupchat Address (JID):":["Konferencia címe (JID):"],"Participants:":["Résztvevők:"],"Features:":["Jellemzők:"],"Requires authentication":["Azonosítás szükséges"],"Hidden":["Rejtett"],"Requires an invitation":["Meghívás szükséges"],"Moderated":["Moderált"],"Non-anonymous":["NEM névtelen"],"Open":["Nyitott"],"Permanent":["Állandó"],"Public":["Nyilvános"],"Semi-anonymous":["Félig névtelen"],"Temporary":["Ideiglenes"],"Unmoderated":["Moderálatlan"],"Query for Groupchats":["Konferenciák lekérdezése"],"Server address":["Kiszolgáló címe"],"Show groupchats":["Konferenciák mutatása"],"conference.example.org":["konferencia@pelda.hu"],"No groupchats found":["Nem találhatók szobák"],"Groupchats found:":["Létező konferenciák:"],"Enter a new Groupchat":["Adjon meg új Konferenciát"],"Groupchat address":["Konferencia címe"],"Optional nickname":["Választható becenév"],"name@conference.example.org":["név@konferencia.példa.hu"],"Join":["Csatlakozás"],"Groupchat info for %1$s":["Konferencia infó számára: %1$s"],"%1$s is no longer a moderator":["%1$s többé már nem moderátor"],"%1$s has been given a voice again":["%1$s újra hangot kapott"],"%1$s has been muted":["%1$s el lett némítva"],"%1$s is now a moderator":["%1$s most már moderátor"],"Close and leave this groupchat":["Bezárja és elhagyja ezt a konferenciát"],"Configure this groupchat":["Konferencia beállítása"],"Show more details about this groupchat":["További információk a konferenciáról"],"Hide the list of participants":["Résztvevők listájának elrejtése"],"Forbidden: you do not have the necessary role in order to do that.":["Tilos: nincs meg a szükséges szerepköre, hogy ezt megtehesse."],"Forbidden: you do not have the necessary affiliation in order to do that.":["Tilos: nincs meg a szükséges kapcsolata, hogy ezt megtehesse."],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Hiba: a \"%1$s\" parancs két argumentumot tartalmaz, a felhasználó becenevét és adott esetben az okát."],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Sajnáljuk, hiba történt a parancs futtatása közben. A részletekért nézze meg a böngésző fejlesztői konzolt."],"Change user's affiliation to admin":["A felhasználó adminisztrátorrá tétele"],"Ban user from groupchat":["Felhasználó kitiltása a konferenciából"],"Change user role to participant":["A felhasználó szerepének változtatása résztvevőre"],"Kick user from groupchat":["Felhasználó kirúgása a konferenciából"],"Write in 3rd person":["Írjon egyes szám harmadik személyben"],"Grant membership to a user":["Tagság megadása a felhasználónak"],"Remove user's ability to post messages":["A felhasználó ne küldhessen üzeneteket"],"Change your nickname":["Becenév módosítása"],"Grant moderator role to user":["Moderátori jog adása a felhasználónak"],"Grant ownership of this groupchat":["Konferencia tulajdonjogának megadása"],"Revoke user's membership":["Tagság megvonása a felhasználótól"],"Set groupchat subject":["Konferencia témájának beállítása"],"Set groupchat subject (alias for /subject)":["Állítsa be a konferencia tárgyát (álnév a /tárgynak)"],"Allow muted user to post messages":["Elnémított felhasználók is küldhetnek üzeneteket"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["A kiválasztott becenév fenntartva vagy jelenleg használatban van, kérjük, válasszon másikat."],"Please choose your nickname":["Kérjük, válasszon becenevet"],"Nickname":["Becenév"],"Enter groupchat":["Belépés a konferenciába"],"This groupchat requires a password":["Ez a konferencia jelszót igényel"],"Password: ":["Jelszó: "],"Submit":["Küldés"],"This action was done by %1$s.":["Ezt a műveletet végezte: %1$s."],"The reason given is: \"%1$s\".":["Ennek ez az oka: \"%1$s\"."],"%1$s has left and re-entered the groupchat":["%1$s elhagyta, majd újra belépett a konferenciába"],"%1$s has entered the groupchat":["%1$s belépett a konferenciába"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s belépett a konferenciába. \"%2$s\""],"%1$s has entered and left the groupchat":["%1$s belépett és elhagyta a konferenciát"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s belépett és elhagyta a konferenciát. \"%2$s\""],"%1$s has left the groupchat":["%1$s elhagyta a konferenciát"],"%1$s has left the groupchat. \"%2$s\"":["%1$s elhagyta a konferenciát. \"%2$s\""],"You are not on the member list of this groupchat.":["Nem vagy a konferencia taglistáján."],"You have been banned from this groupchat.":["Ki lettél tiltva ebből a konferenciából."],"No nickname was specified.":["Nem lett megadva becenév."],"You are not allowed to create new groupchats.":["Nem hozhatsz létre új konferenciákat."],"Your nickname doesn't conform to this groupchat's policies.":["A beceneved nem felel meg a konferencia szabályzatának."],"This groupchat does not (yet) exist.":["Ez a konferencia (még) nem létezik."],"This groupchat has reached its maximum number of participants.":["Ez a konferencia elérte a maximális jelenlévők számát."],"Remote server not found":["Távoli kiszolgáló nem található"],"The explanation given is: \"%1$s\".":["A kapott magyarázat: \"%1$s\"."],"Topic set by %1$s":["Témát beállította: %1$s"],"Groupchats":["Konferenciák"],"Add a new groupchat":["Új konferencia létrehozása"],"Query for groupchats":["Konferenciák lekérdezése"],"Click to mention %1$s in your message.":["Kattintson, hogy megemlítse őt: %1$s."],"This user is a moderator.":["Ez a felhasználó egy moderátor."],"This user can send messages in this groupchat.":["Ez a felhasználó küldhet üzeneteket a konferenciában."],"This user can NOT send messages in this groupchat.":["Ez a felhasználó NEM küldhet üzeneteket a konferenciában."],"Moderator":["Moderátor"],"Visitor":["Látogató"],"Owner":["Tulajdonos"],"Member":["Tag"],"Admin":["Adminisztrátor"],"Participants":["Résztvevők"],"Invite":["Meghívás"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":["Meghívja %1$s nevű felhasználót a \"%2$s\" nevű konferenciába. Opcionálisan hozzáadhat egy üzenetet, amelyben leírja a meghívás okát."],"Please enter a valid XMPP username":["Kérjük, adjon meg érvényes XMPP felhasználónevet"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["%1$s meghívott a(z) %2$s nevű csevegőszobába"],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":["%1$s meghívott a(z) %2$s nevű csevegőszobába. Indoka: \"%3$s\""],"Notification from %1$s":["Értesítő üzenet innen: %1$s"],"%1$s says":["%1$s mondja"],"has gone offline":["nem elérhetővé vált"],"has gone away":["távol van"],"is busy":["elfoglalt"],"has come online":["elérhető lett"],"wants to be your contact":["szeretne ismerősöd lenni"],"Sorry, an error occurred while trying to remove the devices.":["Sajnáljuk, de hiba történt az eszközök eltávolítása közben."],"Sorry, could not decrypt a received OMEMO message due to an error.":["Sajnálom, nem lehet visszafejteni a kapott OMEMO üzenetet hiba miatt."],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":["Ez egy OMEMO kódolt üzenet, amelyet az ügyfele úgy tűnik, hogy nem támogatja. További információkat itt talál: https://conversations.im/omemo"],"Sorry, could not send the message due to an error.":["Sajnáljuk, de nem lehet elküldeni az üzenetet egy hiba miatt."],"Your avatar image":["A profilképed"],"Your Profile":["Profilod"],"Close":["Bezár"],"Email":["Email"],"Full Name":["Teljes név"],"XMPP Address (JID)":["XMPP Cím (JID)"],"Role":["Szerepkör"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Használjon vesszőket több szerep szétválasztásához. A szerepek a neved mellett jelennek meg a csevegési üzenetekben."],"URL":["URL"],"Sorry, an error happened while trying to save your profile data.":["Sajnáljuk, valami hiba történt a profiladatok mentése közben."],"You can check your browser's developer console for any error output.":["Ellenőrizheti a böngésző fejlesztői konzolt bármilyen hiba kimenet esetén."],"Away":["Távol"],"Busy":["Elfoglalt"],"Custom status":["Egyéni állapot"],"Offline":["Nem elérhető"],"Online":["Elérhető"],"Away for long":["Hosszú ideje távol"],"Change chat status":["Chat-állapot módosítása"],"Personal status message":["Személyes állapot üzenet"],"I am %1$s":["%1$s vagyok"],"Change settings":["Beállítások módosítása"],"Click to change your chat status":["Ide kattintva módosíthatja a csevegési állapotát"],"Log out":["Kijelentkezés"],"Your profile":["Saját profil"],"Are you sure you want to log out?":["Biztosan ki akar jelentkezni?"],"online":["elérhető"],"busy":["elfoglalt"],"away for long":["sokáig távol"],"away":["távol"],"offline":["nem elérhető"]," e.g. conversejs.org":[" pl.: conversejs.org"],"Fetch registration form":["Regisztrációs űrlap"],"Tip: A list of public XMPP providers is available":["Tipp: A nyílvános XMPP szolgáltatókról egy lista elérhető"],"here":["itt"],"Sorry, we're unable to connect to your chosen provider.":["Sajnáljuk, de nem tudunk csatlakozni a választott szolgáltatóhoz."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["A megadott szolgáltató nem támogatja a csevegőn keresztüli regisztrációt. Próbáljon meg egy másikat."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Valami hiba történt a következőhöz kapcsolódás közben: \"%1$s\". Biztos benne, hogy létezik?"],"Now logging you in":["Most bejelentkezel"],"Registered successfully":["Sikeres regisztráció"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["A szolgáltató visszautasította a regisztrációs kérelmet. Kérem ellenőrízze a bevitt adatok pontosságát."],"Click to toggle the list of open groupchats":["Kattintsunk a konferenciák listájára váltáshoz"],"Open Groupchats":["Használatban"],"Are you sure you want to leave the groupchat %1$s?":["Biztosan el akarja hagyni a konferenciát: %1$s?"],"Sorry, there was an error while trying to add %1$s as a contact.":["Sajnáljuk, hiba történt a(z) %1$s nevű névjegy hozzáadása során."],"This client does not allow presence subscriptions":["Ez a kliens nem engedélyezi a jelenlét követését"],"Click to hide these contacts":["Kattintson ide a névjegyek elrejtéséhez"],"This contact is busy":["Ez az ismerős elfoglalt"],"This contact is online":["Ez az ismerős elérhető"],"This contact is offline":["Ez az ismerős nem elérhető"],"This contact is unavailable":["Ez az ismerős elérhetetlen"],"This contact is away for an extended period":["Ez az ismerős hosszú ideje távol van"],"This contact is away":["Ez az ismerős távol van"],"Groups":["Csoportok"],"My contacts":["Névjegyeim"],"Pending contacts":["Függő kapcsolatok"],"Contact requests":["Partnerfelvételi kérések"],"Ungrouped":["Nem csoportosított"],"Contact name":["Partner neve"],"Add a Contact":["Új névjegy felvétele"],"XMPP Address":["XMPP Cím"],"name@example.org":["felhasznalo@pelda.hu"],"Add":["Hozzáad"],"Filter":["Szűrő"],"Filter by contact name":["Szűrés névjegy szerint"],"Filter by group name":["Szűrés csoport szerint"],"Filter by status":["Szűrés állapot szerint"],"Any":["Bármi"],"Unread":["Olvasatlan"],"Chatty":["Beszédes"],"Extended Away":["Hosszú távollét"],"Click to remove %1$s as a contact":["Kattintson %1$s nevű ismerősének eltávolításához"],"Click to accept the contact request from %1$s":["Kattintson %1$s kapcsolatkérésének elfogadásához"],"Click to decline the contact request from %1$s":["Kattintson %1$s kapcsolatkérésének elutasításához"],"Click to chat with %1$s (JID: %2$s)":["Kattintson a csevegés megkezdéséhez %1$s partnerrel (JID: %2$s)"],"Are you sure you want to decline this contact request?":["Valóban elutasítja ezt a partnerkérelmet?"],"Contacts":["Kapcsolatok"],"Add a contact":["Új névjegy felvétele"],"Name":["Név"],"Groupchat address (JID)":["Konferencia címe (JID)"],"Description":["Leírás"],"Topic":["Témakör"],"Topic author":["Téma szerző"],"Online users":["Jelenlevők"],"Features":["Jellemzők"],"Password protected":["Jelszóval védve"],"This groupchat requires a password before entry":["A konferenciába belépéshez jelszó szükséges"],"No password required":["Nem szükséges jelszó"],"This groupchat does not require a password upon entry":["Ez a konferencia nem igényel jelszót belépéskor"],"This groupchat is not publicly searchable":["Ez a konferencia nyilvánosan nem kereshető"],"This groupchat is publicly searchable":["Ez a konferencia nyilvánosan kereshető"],"Members only":["Csak tagoknak"],"This groupchat is restricted to members only":["Ez a konferencia kizárólag tagoknak szól"],"Anyone can join this groupchat":["Bárki csatlakozhat a konferenciához"],"Persistent":["Állandó"],"This groupchat persists even if it's unoccupied":["Ez a konferencia akkor is fennmarad, ha üres"],"This groupchat will disappear once the last person leaves":["Ez a konferencia eltűnik, amint az utolsó ember elhagyja"],"Not anonymous":["Nem névtelen"],"All other groupchat participants can see your XMPP username":["Minden konferencia-résztvevő láthatja az XMPP felhasználónevét"],"Only moderators can see your XMPP username":["Csak a moderátorok láthatják az Ön XMPP felhasználónevét"],"This groupchat is being moderated":["Ez a konferencia moderált"],"Not moderated":["Moderálatlan"],"This groupchat is not being moderated":["Ez a konferencia nem moderált"],"Message archiving":["Üzenetarchiválás"],"Messages are archived on the server":["Üzenetek archiválva vannak a kiszolgálón"],"No password":["Nincs jelszó"],"this groupchat is restricted to members only":["Ez a konferencia csak a tagokra korlátozódik"],"XMPP Username:":["XMPP Felhasználónév:"],"Password:":["Jelszó:"],"password":["jelszó"],"This is a trusted device":["Ez egy megbízható eszköz"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["A teljesítmény javítása érdekében a böngészőben tároljuk az adatokat. Törölje a jelölőnégyzetet, ha ez nyilvános számítógép vagy ha törölni kívánja adatait, amikor kijelentkezik. Fontos, hogy kifejezetten jelentkezzen ki, mert előfordulhat, hogy nem az összes tárolt adat törlődik."],"Log in":["Bejelentkezés"],"Click here to log in anonymously":["Kattintson ide a névtelen bejelentkezéshez"],"This message has been edited":["Ez az üzenet szerkesztve van"],"Edit this message":["Üzenet szerkesztése"],"Message versions":["Üzenetverziók"],"Save and close":["Mentés és bezárás"],"This device's OMEMO fingerprint":["Készülékének OMEMO ujjlenyomata"],"Select all":["Mindent kijelöl"],"Checkbox to select fingerprints of all other OMEMO devices":["Jelölőnégyzet az összes egyéb OMEMO eszköz ujjlenyomatának kijelöléséhez"],"Other OMEMO-enabled devices":["Más OMEMO-engedélyezett eszközök"],"Checkbox for selecting the following fingerprint":["Jelölőnégyzet az alábbi ujjlenyomat kiválasztására"],"Device without a fingerprint":["Eszköz ujjlenyomat nélkül"],"Remove checked devices and close":["Ellenőrzött eszközök eltávolítása és bezárás"],"Don't have a chat account?":["Nincs csevegő fiókja?"],"Create an account":["Fiók létrehozása"],"Create your account":["Hozza létre fiókját"],"Please enter the XMPP provider to register with:":["Kérjük, adja meg az XMPP szolgáltatót a regisztráláshoz:"],"Already have a chat account?":["Már van csevegő fiókja?"],"Log in here":["Bejelentkezés itt"],"Account Registration:":["Fiók Regisztráció:"],"Register":["Regisztráció"],"Choose a different provider":["Válasszon egy másik szolgáltatót"],"Hold tight, we're fetching the registration form…":["Tartson ki, most kérjük le a regisztrációs űrlapot…"],"Messages are being sent in plaintext":["Üzenetek küldése egyszerű szövegként"],"The User's Profile Image":["A felhasználó profilképe"],"OMEMO Fingerprints":["OMEMO Ujjlenyomatok"],"Trusted":["Megbízható"],"Untrusted":["Megbízhatatlan"],"Remove as contact":["Távolítsa el, mint kapcsolatot"],"Refresh":["Frissítés"],"Download":["Letöltés"],"Download \"%1$s\"":["Letöltésre: \"%1$s\""],"Download video file":["Videó fájl letöltése"],"Download audio file":["Hangfájl letöltése"]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n != 1;","lang":"hu"},"Bookmark this groupchat":["Konferencia megjelölése"],"The name for this bookmark:":["A könyvjelző neve legyen:"],"Would you like this groupchat to be automatically joined upon startup?":["Szeretné ha induláskor automatikusan csatlakozna ehhez a konferenciához?"],"What should your nickname for this groupchat be?":["Mi legyen a beceneve ebben a konferenciában?"],"Save":["Mentés"],"Cancel":["Mégsem"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Biztosan el szeretné távolítani a(z) \"%1$s\" könyvjelzőt?"],"Error":["Hiba"],"Sorry, something went wrong while trying to save your bookmark.":["Sajnáljuk, valami hiba történt a könyvjelző mentése közben."],"Leave this groupchat":["Konferencia elhagyása"],"Remove this bookmark":["Könyvjelző eltávolítása"],"Unbookmark this groupchat":["Konferencia könyvjelzőjének törlése"],"Show more information on this groupchat":["További információk a konferenciáról"],"Click to open this groupchat":["Belépés a konferenciába"],"Click to toggle the bookmarks list":["Kattintson a könyvjelzők listájára váltáshoz"],"Bookmarks":["Könyvjelzők"],"Sorry, could not determine file upload URL.":["Sajnáljuk, nem sikerült meghatározni a fájl feltöltési URL-jét."],"Sorry, could not determine upload URL.":["Sajnáljuk, nem sikerült meghatározni a feltöltési URL-t."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Sajnáljuk, a fájlt nem sikerült feltölteni. A szervered válasza: \"%1$s\""],"Sorry, could not succesfully upload your file.":["Sajnáljuk, a fájlt nem sikerült feltölteni."],"Sorry, looks like file upload is not supported by your server.":["Sajnálom, úgy tűnik, hogy a szerver nem támogatja a fájl feltöltést."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["A fájlod mérete: %1$s meghaladja a szervered által megengedettet, ami: %2$s."],"Sorry, an error occurred:":["Sajnáljuk, hiba történt:"],"Close this chat box":["A csevegőablak bezárása"],"Are you sure you want to remove this contact?":["Valóban törölni szeretné a csevegőpartnerét?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Sajnáljuk, hiba történt %1$s mint ismerős eltávolítása közben."],"You have unread messages":["Olvasatlan üzenetei vannak"],"Hidden message":["Rejtett üzenet"],"Message":["Üzenet"],"Send":["Elküld"],"Optional hint":["Választható tipp"],"Choose a file to send":["Válasszon ki egy fájlt küldéshez"],"Click to write as a normal (non-spoiler) message":["Kattintson normál (nem spoiler) üzenet írásához"],"Click to write your message as a spoiler":["Kattintson spoiler üzenet írásához"],"Clear all messages":["Üzenetek törlése"],"Insert emojis":["Emotikonok beszúrása"],"Start a call":["Hívás indítása"],"Remove messages":["Üzenetek törlése"],"Write in the third person":["Írjon egyes szám harmadik személyben"],"Show this menu":["Mutasd a menüt"],"Are you sure you want to clear the messages from this conversation?":["Biztosan törölni szeretné ebből a beszélgetésből származó üzeneteket?"],"%1$s has gone offline":["%1$s nem elérhetővé vált"],"%1$s has gone away":["%1$s távol van"],"%1$s is busy":["%1$s elfoglalt"],"%1$s is online":["%1$s elérhető"],"Username":["Felhasználónév"],"user@domain":["felhasználó@tartomány"],"Please enter a valid XMPP address":["Kérjük, adjon meg érvényes XMPP címet"],"Chat Contacts":["Csevegőpartnerek"],"Toggle chat":["Csevegőablak"],"The connection has dropped, attempting to reconnect.":["A kapcsolat megszakadt, megpróbál újra csatlakozni."],"An error occurred while connecting to the chat server.":["Hiba történt a chat szerverhez való csatlakozás közben."],"Your Jabber ID and/or password is incorrect. Please try again.":["Jabber-azonosítója és/vagy jelszava helytelen. Kérem, próbálja újra."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Sajnáljuk, nem tudtunk csatlakozni a domainhez tartozó XMPP gazdagéphez: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Az XMPP kiszolgáló nem ajánlott fel támogatott hitelesítési mechanizmust"],"Show more":["Mutass többet"],"Typing from another device":["Gépelés másik eszközről"],"%1$s is typing":["%1$s éppen ír"],"Stopped typing on the other device":["Abbahagyta a gépelést"],"%1$s has stopped typing":["%1$s abbahagyta a gépelést"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["A csevegés minimalizálása"],"Click to restore this chat":["A csevegés visszaállítása"],"Minimized":["Minimalizálva"],"This groupchat is not anonymous":["Ez a konferencia NEM névtelen"],"This groupchat now shows unavailable members":["A konferencia mostantól nem elérhető tagokat mutat"],"This groupchat does not show unavailable members":["Ez a konferencia nem mutat elérhetetlen tagokat"],"The groupchat configuration has changed":["A konferencia beállítása megváltozott"],"groupchat logging is now enabled":["A konferencia naplózása engedélyezve"],"groupchat logging is now disabled":["A konferencia naplózása letiltva"],"This groupchat is now no longer anonymous":["A konferencia most már nem névtelen"],"This groupchat is now semi-anonymous":["A konferencia most már félig névtelen"],"This groupchat is now fully-anonymous":["A konferencia most már teljesen névtelen"],"A new groupchat has been created":["Létrejött egy új konferencia"],"You have been banned from this groupchat":["Ki lettél tiltva ebből a konferenciából"],"You have been kicked from this groupchat":["Ki lettél dobva ebből a konferenciából"],"You have been removed from this groupchat because of an affiliation change":["Taglista módosítás miatt kiléptettünk a konferenciából"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Kiléptettünk a konferenciából, mert mostantól csak a taglistán szereplők lehetnek jelen"],"You have been removed from this groupchat because the service hosting it is being shut down":["Kiléptettük a konferenciából, mert a szolgáltatás leállításra került"],"%1$s has been banned":["%1$s ki lett tiltva"],"%1$s's nickname has changed":["%1$s beceneve módosult"],"%1$s has been kicked out":["%1$s ki lett dobva"],"%1$s has been removed because of an affiliation change":["%1$s el lett távolítva, tagság változás miatt"],"%1$s has been removed for not being a member":["%1$s el lett távolítva, mert nem volt tag"],"Your nickname has been automatically set to %1$s":["A beceneve automatikusan ez lett: %1$s"],"Your nickname has been changed to %1$s":["A beceneved a következőre módosult: %1$s"],"Description:":["Leírás:"],"Groupchat Address (JID):":["Konferencia címe (JID):"],"Participants:":["Résztvevők:"],"Features:":["Jellemzők:"],"Requires authentication":["Azonosítás szükséges"],"Hidden":["Rejtett"],"Requires an invitation":["Meghívás szükséges"],"Moderated":["Moderált"],"Non-anonymous":["NEM névtelen"],"Open":["Nyitott"],"Permanent":["Állandó"],"Public":["Nyilvános"],"Semi-anonymous":["Félig névtelen"],"Temporary":["Ideiglenes"],"Unmoderated":["Moderálatlan"],"Query for Groupchats":["Konferenciák lekérdezése"],"Server address":["Kiszolgáló címe"],"Show groupchats":["Konferenciák mutatása"],"conference.example.org":["konferencia@pelda.hu"],"No groupchats found":["Nem találhatók szobák"],"Groupchats found:":["Létező konferenciák:"],"Enter a new Groupchat":["Adjon meg új Konferenciát"],"Groupchat address":["Konferencia címe"],"Optional nickname":["Választható becenév"],"name@conference.example.org":["név@konferencia.példa.hu"],"Join":["Csatlakozás"],"Groupchat info for %1$s":["Konferencia infó számára: %1$s"],"%1$s is no longer a moderator":["%1$s többé már nem moderátor"],"%1$s has been given a voice again":["%1$s újra hangot kapott"],"%1$s has been muted":["%1$s el lett némítva"],"%1$s is now a moderator":["%1$s most már moderátor"],"Close and leave this groupchat":["Bezárja és elhagyja ezt a konferenciát"],"Configure this groupchat":["Konferencia beállítása"],"Show more details about this groupchat":["További információk a konferenciáról"],"Hide the list of participants":["Résztvevők listájának elrejtése"],"Forbidden: you do not have the necessary role in order to do that.":["Tilos: nincs meg a szükséges szerepköre, hogy ezt megtehesse."],"Forbidden: you do not have the necessary affiliation in order to do that.":["Tilos: nincs meg a szükséges kapcsolata, hogy ezt megtehesse."],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Hiba: a \"%1$s\" parancs két argumentumot tartalmaz, a felhasználó becenevét és adott esetben az okát."],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Sajnáljuk, hiba történt a parancs futtatása közben. A részletekért nézze meg a böngésző fejlesztői konzolt."],"Change user's affiliation to admin":["A felhasználó adminisztrátorrá tétele"],"Ban user from groupchat":["Felhasználó kitiltása a konferenciából"],"Change user role to participant":["A felhasználó szerepének változtatása résztvevőre"],"Kick user from groupchat":["Felhasználó kirúgása a konferenciából"],"Write in 3rd person":["Írjon egyes szám harmadik személyben"],"Grant membership to a user":["Tagság megadása a felhasználónak"],"Remove user's ability to post messages":["A felhasználó ne küldhessen üzeneteket"],"Change your nickname":["Becenév módosítása"],"Grant moderator role to user":["Moderátori jog adása a felhasználónak"],"Grant ownership of this groupchat":["Konferencia tulajdonjogának megadása"],"Revoke user's membership":["Tagság megvonása a felhasználótól"],"Set groupchat subject":["Konferencia témájának beállítása"],"Set groupchat subject (alias for /subject)":["Állítsa be a konferencia tárgyát (álnév a /tárgynak)"],"Allow muted user to post messages":["Elnémított felhasználók is küldhetnek üzeneteket"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["A kiválasztott becenév fenntartva vagy jelenleg használatban van, kérjük, válasszon másikat."],"Please choose your nickname":["Kérjük, válasszon becenevet"],"Nickname":["Becenév"],"Enter groupchat":["Belépés a konferenciába"],"This groupchat requires a password":["Ez a konferencia jelszót igényel"],"Password: ":["Jelszó: "],"Submit":["Küldés"],"This action was done by %1$s.":["Ezt a műveletet végezte: %1$s."],"The reason given is: \"%1$s\".":["Ennek ez az oka: \"%1$s\"."],"%1$s has left and re-entered the groupchat":["%1$s elhagyta, majd újra belépett a konferenciába"],"%1$s has entered the groupchat":["%1$s belépett a konferenciába"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s belépett a konferenciába. \"%2$s\""],"%1$s has entered and left the groupchat":["%1$s belépett és elhagyta a konferenciát"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s belépett és elhagyta a konferenciát. \"%2$s\""],"%1$s has left the groupchat":["%1$s elhagyta a konferenciát"],"%1$s has left the groupchat. \"%2$s\"":["%1$s elhagyta a konferenciát. \"%2$s\""],"You are not on the member list of this groupchat.":["Nem vagy a konferencia taglistáján."],"You have been banned from this groupchat.":["Ki lettél tiltva ebből a konferenciából."],"No nickname was specified.":["Nem lett megadva becenév."],"You are not allowed to create new groupchats.":["Nem hozhatsz létre új konferenciákat."],"Your nickname doesn't conform to this groupchat's policies.":["A beceneved nem felel meg a konferencia szabályzatának."],"This groupchat does not (yet) exist.":["Ez a konferencia (még) nem létezik."],"This groupchat has reached its maximum number of participants.":["Ez a konferencia elérte a maximális jelenlévők számát."],"Remote server not found":["Távoli kiszolgáló nem található"],"The explanation given is: \"%1$s\".":["A kapott magyarázat: \"%1$s\"."],"Topic set by %1$s":["Témát beállította: %1$s"],"Groupchats":["Konferenciák"],"Add a new groupchat":["Új konferencia létrehozása"],"Query for groupchats":["Konferenciák lekérdezése"],"Click to mention %1$s in your message.":["Kattintson, hogy megemlítse őt: %1$s."],"This user is a moderator.":["Ez a felhasználó egy moderátor."],"This user can send messages in this groupchat.":["Ez a felhasználó küldhet üzeneteket a konferenciában."],"This user can NOT send messages in this groupchat.":["Ez a felhasználó NEM küldhet üzeneteket a konferenciában."],"Moderator":["Moderátor"],"Visitor":["Látogató"],"Owner":["Tulajdonos"],"Member":["Tag"],"Admin":["Adminisztrátor"],"Participants":["Résztvevők"],"Invite":["Meghívás"],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":["Meghívja %1$s nevű felhasználót a \"%2$s\" nevű konferenciába. Opcionálisan hozzáadhat egy üzenetet, amelyben leírja a meghívás okát."],"Please enter a valid XMPP username":["Kérjük, adjon meg érvényes XMPP felhasználónevet"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":["%1$s meghívott a(z) %2$s nevű csevegőszobába"],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":["%1$s meghívott a(z) %2$s nevű csevegőszobába. Indoka: \"%3$s\""],"Notification from %1$s":["Értesítő üzenet innen: %1$s"],"%1$s says":["%1$s mondja"],"has gone offline":["nem elérhetővé vált"],"has gone away":["távol van"],"is busy":["elfoglalt"],"has come online":["elérhető lett"],"wants to be your contact":["szeretne ismerősöd lenni"],"Sorry, an error occurred while trying to remove the devices.":["Sajnáljuk, de hiba történt az eszközök eltávolítása közben."],"Sorry, could not decrypt a received OMEMO message due to an error.":["Sajnálom, nem lehet visszafejteni a kapott OMEMO üzenetet hiba miatt."],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":["Ez egy OMEMO kódolt üzenet, amelyet az ügyfele úgy tűnik, hogy nem támogatja. További információkat itt talál: https://conversations.im/omemo"],"Sorry, could not send the message due to an error.":["Sajnáljuk, de nem lehet elküldeni az üzenetet egy hiba miatt."],"Your avatar image":["A profilképed"],"Your Profile":["Profilod"],"Close":["Bezár"],"Email":["Email"],"Full Name":["Teljes név"],"XMPP Address (JID)":["XMPP Cím (JID)"],"Role":["Szerepkör"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Használjon vesszőket több szerep szétválasztásához. A szerepek a neved mellett jelennek meg a csevegési üzenetekben."],"URL":["URL"],"Sorry, an error happened while trying to save your profile data.":["Sajnáljuk, valami hiba történt a profiladatok mentése közben."],"You can check your browser's developer console for any error output.":["Ellenőrizheti a böngésző fejlesztői konzolt bármilyen hiba kimenet esetén."],"Away":["Távol"],"Busy":["Elfoglalt"],"Custom status":["Egyéni állapot"],"Offline":["Nem elérhető"],"Online":["Elérhető"],"Away for long":["Hosszú ideje távol"],"Change chat status":["Chat-állapot módosítása"],"Personal status message":["Személyes állapot üzenet"],"I am %1$s":["%1$s vagyok"],"Change settings":["Beállítások módosítása"],"Click to change your chat status":["Ide kattintva módosíthatja a csevegési állapotát"],"Log out":["Kijelentkezés"],"Your profile":["Saját profil"],"Are you sure you want to log out?":["Biztosan ki akar jelentkezni?"],"online":["elérhető"],"busy":["elfoglalt"],"away for long":["sokáig távol"],"away":["távol"],"offline":["nem elérhető"]," e.g. conversejs.org":[" pl.: conversejs.org"],"Fetch registration form":["Regisztrációs űrlap"],"Tip: A list of public XMPP providers is available":["Tipp: A nyílvános XMPP szolgáltatókról egy lista elérhető"],"here":["itt"],"Sorry, we're unable to connect to your chosen provider.":["Sajnáljuk, de nem tudunk csatlakozni a választott szolgáltatóhoz."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["A megadott szolgáltató nem támogatja a csevegőn keresztüli regisztrációt. Próbáljon meg egy másikat."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Valami hiba történt a következőhöz kapcsolódás közben: \"%1$s\". Biztos benne, hogy létezik?"],"Now logging you in":["Most bejelentkezel"],"Registered successfully":["Sikeres regisztráció"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["A szolgáltató visszautasította a regisztrációs kérelmet. Kérem ellenőrízze a bevitt adatok pontosságát."],"Click to toggle the list of open groupchats":["Kattintsunk a konferenciák listájára váltáshoz"],"Open Groupchats":["Használatban"],"Are you sure you want to leave the groupchat %1$s?":["Biztosan el akarja hagyni a konferenciát: %1$s?"],"Sorry, there was an error while trying to add %1$s as a contact.":["Sajnáljuk, hiba történt a(z) %1$s nevű névjegy hozzáadása során."],"This client does not allow presence subscriptions":["Ez a kliens nem engedélyezi a jelenlét követését"],"Click to hide these contacts":["Kattintson ide a névjegyek elrejtéséhez"],"This contact is busy":["Ez az ismerős elfoglalt"],"This contact is online":["Ez az ismerős elérhető"],"This contact is offline":["Ez az ismerős nem elérhető"],"This contact is unavailable":["Ez az ismerős elérhetetlen"],"This contact is away for an extended period":["Ez az ismerős hosszú ideje távol van"],"This contact is away":["Ez az ismerős távol van"],"Groups":["Csoportok"],"My contacts":["Névjegyeim"],"Pending contacts":["Függő kapcsolatok"],"Contact requests":["Partnerfelvételi kérések"],"Ungrouped":["Nem csoportosított"],"Contact name":["Partner neve"],"Add a Contact":["Új névjegy felvétele"],"XMPP Address":["XMPP Cím"],"name@example.org":["felhasznalo@pelda.hu"],"Add":["Hozzáad"],"Filter":["Szűrő"],"Filter by contact name":["Szűrés névjegy szerint"],"Filter by group name":["Szűrés csoport szerint"],"Filter by status":["Szűrés állapot szerint"],"Any":["Bármi"],"Unread":["Olvasatlan"],"Chatty":["Beszédes"],"Extended Away":["Hosszú távollét"],"Click to remove %1$s as a contact":["Kattintson %1$s nevű ismerősének eltávolításához"],"Click to accept the contact request from %1$s":["Kattintson %1$s kapcsolatkérésének elfogadásához"],"Click to decline the contact request from %1$s":["Kattintson %1$s kapcsolatkérésének elutasításához"],"Click to chat with %1$s (JID: %2$s)":["Kattintson a csevegés megkezdéséhez %1$s partnerrel (JID: %2$s)"],"Are you sure you want to decline this contact request?":["Valóban elutasítja ezt a partnerkérelmet?"],"Contacts":["Kapcsolatok"],"Add a contact":["Új névjegy felvétele"],"Name":["Név"],"Groupchat address (JID)":["Konferencia címe (JID)"],"Description":["Leírás"],"Topic":["Témakör"],"Topic author":["Téma szerző"],"Online users":["Jelenlevők"],"Features":["Jellemzők"],"Password protected":["Jelszóval védve"],"This groupchat requires a password before entry":["A konferenciába belépéshez jelszó szükséges"],"No password required":["Nem szükséges jelszó"],"This groupchat does not require a password upon entry":["Ez a konferencia nem igényel jelszót belépéskor"],"This groupchat is not publicly searchable":["Ez a konferencia nyilvánosan nem kereshető"],"This groupchat is publicly searchable":["Ez a konferencia nyilvánosan kereshető"],"Members only":["Csak tagoknak"],"This groupchat is restricted to members only":["Ez a konferencia kizárólag tagoknak szól"],"Anyone can join this groupchat":["Bárki csatlakozhat a konferenciához"],"Persistent":["Állandó"],"This groupchat persists even if it's unoccupied":["Ez a konferencia akkor is fennmarad, ha üres"],"This groupchat will disappear once the last person leaves":["Ez a konferencia eltűnik, amint az utolsó ember elhagyja"],"Not anonymous":["Nem névtelen"],"All other groupchat participants can see your XMPP username":["Minden konferencia-résztvevő láthatja az XMPP felhasználónevét"],"Only moderators can see your XMPP username":["Csak a moderátorok láthatják az Ön XMPP felhasználónevét"],"This groupchat is being moderated":["Ez a konferencia moderált"],"Not moderated":["Moderálatlan"],"This groupchat is not being moderated":["Ez a konferencia nem moderált"],"Message archiving":["Üzenetarchiválás"],"Messages are archived on the server":["Üzenetek archiválva vannak a kiszolgálón"],"No password":["Nincs jelszó"],"this groupchat is restricted to members only":["Ez a konferencia csak a tagokra korlátozódik"],"XMPP Username:":["XMPP Felhasználónév:"],"Password:":["Jelszó:"],"password":["jelszó"],"This is a trusted device":["Ez egy megbízható eszköz"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["A teljesítmény javítása érdekében a böngészőben tároljuk az adatokat. Törölje a jelölőnégyzetet, ha ez nyilvános számítógép vagy ha törölni kívánja adatait, amikor kijelentkezik. Fontos, hogy kifejezetten jelentkezzen ki, mert előfordulhat, hogy nem az összes tárolt adat törlődik."],"Log in":["Bejelentkezés"],"Click here to log in anonymously":["Kattintson ide a névtelen bejelentkezéshez"],"This message has been edited":["Ez az üzenet szerkesztve van"],"Edit this message":["Üzenet szerkesztése"],"Message versions":["Üzenetverziók"],"Save and close":["Mentés és bezárás"],"This device's OMEMO fingerprint":["Készülékének OMEMO ujjlenyomata"],"Select all":["Mindent kijelöl"],"Checkbox to select fingerprints of all other OMEMO devices":["Jelölőnégyzet az összes egyéb OMEMO eszköz ujjlenyomatának kijelöléséhez"],"Other OMEMO-enabled devices":["Más OMEMO-engedélyezett eszközök"],"Checkbox for selecting the following fingerprint":["Jelölőnégyzet az alábbi ujjlenyomat kiválasztására"],"Device without a fingerprint":["Eszköz ujjlenyomat nélkül"],"Remove checked devices and close":["Ellenőrzött eszközök eltávolítása és bezárás"],"Don't have a chat account?":["Nincs csevegő fiókja?"],"Create an account":["Fiók létrehozása"],"Create your account":["Hozza létre fiókját"],"Please enter the XMPP provider to register with:":["Kérjük, adja meg az XMPP szolgáltatót a regisztráláshoz:"],"Already have a chat account?":["Már van csevegő fiókja?"],"Log in here":["Bejelentkezés itt"],"Account Registration:":["Fiók Regisztráció:"],"Register":["Regisztráció"],"Choose a different provider":["Válasszon egy másik szolgáltatót"],"Hold tight, we're fetching the registration form…":["Tartson ki, most kérjük le a regisztrációs űrlapot…"],"Messages are being sent in plaintext":["Üzenetek küldése egyszerű szövegként"],"The User's Profile Image":["A felhasználó profilképe"],"OMEMO Fingerprints":["OMEMO Ujjlenyomatok"],"Trusted":["Megbízható"],"Untrusted":["Megbízhatatlan"],"Remove as contact":["Távolítsa el, mint kapcsolatot"],"Refresh":["Frissítés"],"Download":["Letöltés"]}}} \ No newline at end of file diff --git a/locale/hu/LC_MESSAGES/converse.po b/locale/hu/LC_MESSAGES/converse.po index 66b6d8c60..dd19ebc3e 100644 --- a/locale/hu/LC_MESSAGES/converse.po +++ b/locale/hu/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 0.8.8\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-09-07 13:43+0000\n" "Last-Translator: Szilágyi Gyula \n" "Language-Team: Hungarian \n" "Language-Team: Indonesian \n" "Language-Team: Italian \n" "Language-Team: Japanese 19)) ? 0 : ((n % 10 >= 2 && n % 10 <= 9 && (n % 100 < 11 || n % 100 > 19)) ? 1 : 2);","lang":"lt"},"Bookmark this groupchat":[""],"The name for this bookmark:":[""],"Would you like this groupchat to be automatically joined upon startup?":[""],"What should your nickname for this groupchat be?":[""],"Save":["Išsaugoti"],"Cancel":["Atšaukti"],"Are you sure you want to remove the bookmark \"%1$s\"?":[""],"Error":[""],"Sorry, something went wrong while trying to save your bookmark.":[""],"Leave this groupchat":[""],"Remove this bookmark":[""],"Unbookmark this groupchat":[""],"Show more information on this groupchat":[""],"Click to toggle the bookmarks list":[""],"Bookmarks":[""],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":["Uždarykite šį pokalbių laukelį"],"Are you sure you want to remove this contact?":["Ar tikrai norite pašalinti šį kontaktą?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Deja, bandant pašalinti %1$s iš kontaktų įvyko klaida."],"You have unread messages":["Jūs turite neperskaitytų pranešimų"],"Hidden message":["Paslėpta žinutė"],"Message":[""],"Send":["Siųsti"],"Optional hint":["Neprivaloma užuomina"],"Choose a file to send":[""],"Click to write as a normal (non-spoiler) message":["Spustelėkite, jei norite parašyti įprastą (neatskleidžiamą) pranešimą"],"Click to write your message as a spoiler":["Spustelėkite, jei norite parašyti pranešimą kaip atskleidėją"],"Clear all messages":["Išvalyti visus pranešimus"],"Start a call":["Pradėti skambutį"],"Remove messages":["Pašalinti pranešimus"],"Write in the third person":["Rašykite trečiuoju asmeniu"],"Show this menu":["Rodyti šį meniu"],"Username":["Vartotojo vardas"],"user@domain":["vartotojas@domenas"],"Please enter a valid XMPP address":["Įveskite teisingą XMPP adresą"],"Chat Contacts":["Pokalbių kontaktai"],"Toggle chat":["Perjungti pokalbius"],"The connection has dropped, attempting to reconnect.":["Ryšys nutrūko, bandoma prisijungti iš naujo."],"An error occurred while connecting to the chat server.":["Bandant prisijungti prie pokalbių serverio įvyko klaida."],"Your Jabber ID and/or password is incorrect. Please try again.":["Jūsų vartotojo vardas ir / arba slaptažodis yra neteisingas. Prašome, pabandyki dar kartą."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Atsiprašome, nepavyko prisijungti prie XMPP serverio su domenu: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["XMPP serveris nepateikė palaikomo autentifikavimo mechanizmo"],"Typing from another device":["Rašoma iš kito įrenginio"],"Stopped typing on the other device":["Nustojo rašyti kitame įrenginyje"],"Unencryptable OMEMO message":[""],"Minimize this chat box":[""],"Click to restore this chat":[""],"Minimized":[""],"%1$s has been banned":["%1$s buvo užblokuotas"],"%1$s's nickname has changed":["%1$s slapyvardis buvo pakeistas"],"%1$s has been kicked out":["%1$s buvo pašalintas"],"%1$s has been removed because of an affiliation change":["%1$s buvo pašalintas dėl priklausymo pokyčių"],"%1$s has been removed for not being a member":[""],"Your nickname has been automatically set to %1$s":[""],"Your nickname has been changed to %1$s":[""],"Description:":[""],"Participants:":[""],"Features:":[""],"Requires authentication":[""],"Hidden":[""],"Requires an invitation":[""],"Moderated":[""],"Non-anonymous":[""],"Open":[""],"Permanent":[""],"Public":[""],"Semi-anonymous":[""],"Temporary":[""],"Unmoderated":[""],"Query for Groupchats":[""],"Server address":[""],"conference.example.org":[""],"Enter a new Groupchat":[""],"Groupchat address":[""],"Optional nickname":["Neprivalomas slapyvardis"],"name@conference.example.org":[""],"Join":[""],"Groupchat info for %1$s":[""],"%1$s is no longer a permanent member of this groupchat":[""],"%1$s is no longer a moderator":[""],"%1$s is now a moderator":[""],"Show more details about this groupchat":[""],"Hide the list of participants":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":[""],"Ban user from groupchat":[""],"Change user role to participant":[""],"Kick user from groupchat":[""],"Write in 3rd person":[""],"Grant membership to a user":[""],"Remove user's ability to post messages":[""],"Change your nickname":[""],"Grant moderator role to user":[""],"Grant ownership of this groupchat":[""],"Register a nickname for this room":[""],"Revoke user's membership":[""],"Set groupchat subject":[""],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":[""],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":[""],"Please choose your nickname":[""],"Nickname":[""],"Enter groupchat":[""],"This groupchat requires a password":[""],"Password: ":[""],"Submit":["Pateikti"],"This action was done by %1$s.":[""],"The reason given is: \"%1$s\".":[""],"%1$s has left and re-entered the groupchat":[""],"%1$s has entered the groupchat. \"%2$s\"":[""],"%1$s has entered and left the groupchat":[""],"%1$s has entered and left the groupchat. \"%2$s\"":[""],"%1$s has left the groupchat. \"%2$s\"":[""],"You are not on the member list of this groupchat.":[""],"No nickname was specified.":[""],"Your nickname doesn't conform to this groupchat's policies.":[""],"This groupchat does not (yet) exist.":[""],"This groupchat has reached its maximum number of participants.":[""],"Remote server not found":[""],"The explanation given is: \"%1$s\".":[""],"Topic set by %1$s":[""],"Topic cleared by %1$s":[""],"Click to mention %1$s in your message.":[""],"This user is a moderator.":[""],"This user can send messages in this groupchat.":[""],"This user can NOT send messages in this groupchat.":[""],"Moderator":[""],"Visitor":[""],"Owner":[""],"Member":[""],"Admin":[""],"Participants":[""],"Invite":[""],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":[""],"Please enter a valid XMPP username":[""],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":[""],"Notification from %1$s":[""],"%1$s says":[""],"OMEMO Message received":[""],"has gone offline":["atsijungė"],"has gone away":["pasišalines"],"is busy":["užsiėmęs"],"has come online":[""],"wants to be your contact":[""],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":["Tavo profilis"],"Close":["Uždaryti"],"Email":[""],"Full Name":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Pasišalines"],"Busy":["Užsiėmes"],"Custom status":["Pasirinktinis statusas"],"Offline":["Neprisijungęs"],"Online":["Prisijungęs"],"Away for long":["Ilgai pasišalines"],"Change chat status":["Keisti pokalbio būseną"],"Personal status message":["Asmeninis statuso pranešimas"],"I am %1$s":["Aš esu %1$s"],"Change settings":["Pakeisti nustatymus"],"Click to change your chat status":["Spustelėkite norėdami pakeisti pokalbio būseną"],"Log out":["Atsijungti"],"Your profile":["Jūsų profilis"],"Are you sure you want to log out?":["Ar tikrai norite atsijungti?"],"online":["prisijungęs"],"busy":["užsiėmes"],"away for long":["ilgai pasišalines"],"away":["pasišalines"],"offline":["neprisijungęs"]," e.g. conversejs.org":[""],"Fetch registration form":[""],"Tip: A list of public XMPP providers is available":[""],"here":[""],"Sorry, we're unable to connect to your chosen provider.":[""],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":[""],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":[""],"Now logging you in":[""],"Registered successfully":[""],"The provider rejected your registration attempt. Please check the values you entered for correctness.":[""],"Click to toggle the list of open groupchats":[""],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["Atsiprašome, bandant pridėti %1$s kaip kontaktą įvyko klaida."],"This client does not allow presence subscriptions":["Šis klientas neleidžia aktyvumo prenumeratos"],"Click to hide these contacts":["Spustelėkite, kad paslėptumėte šiuos kontaktus"],"This contact is busy":["Šis kontaktas užimtas"],"This contact is online":["Šis kontaktas yra prisijungęs"],"This contact is offline":["Šis kontaktas yra atsijungęs"],"This contact is unavailable":["Šis kontaktas yra nepasiekiamas"],"This contact is away for an extended period":["Šis kontaktas yra ilgai pasišalines"],"This contact is away":["Šis kontaktas yra pasišalines"],"Groups":["Grupės"],"My contacts":["Mano kontaktai"],"Pending contacts":["Laukiantys kontaktai"],"Contact requests":["Prašymai pridėti prie kontaktų"],"Ungrouped":["Nesugrupuota"],"Contact name":["Kontakto vardas"],"Add a Contact":["Pridėti kontaktą"],"XMPP Address":["XMPP adresas"],"name@example.org":["vardas@pavyzdys.lt"],"Add":["Pridėti"],"Filter":["Filtras"],"Filter by contact name":["Filtruoti pagal kontaktinį vardą"],"Filter by group name":["Filtruoti pagal grupės pavadinimą"],"Filter by status":["Filtruoti pagal būseną"],"Any":["Bet koks"],"Unread":["Neskaityta"],"Chatty":["Pokalbis"],"Extended Away":["Ilgai pasišalines"],"Click to remove %1$s as a contact":["Spustelėkite, jei norite pašalinti %1$s iš kontaktų"],"Click to accept the contact request from %1$s":["Spustelėkite, jei norite priimti kontaktinį prašymą iš %1$s"],"Click to decline the contact request from %1$s":["Spustelėkite, jei norite atmesti kontaktinį prašymą iš %1$s"],"Click to chat with %1$s (JID: %2$s)":["Spauskite, kad pradėtumėte pokalbį su %1$s (JID: %2$s)"],"Are you sure you want to decline this contact request?":["Ar tikrai norite atmesti šį kontaktinį prašymą?"],"Contacts":["Kontaktai"],"Add a contact":["Pridėti adresatą"],"Name":[""],"Description":[""],"Topic":[""],"Topic author":[""],"Features":[""],"Password protected":[""],"This groupchat requires a password before entry":[""],"No password required":[""],"This groupchat does not require a password upon entry":[""],"This groupchat is not publicly searchable":[""],"This groupchat is publicly searchable":[""],"Members only":[""],"Anyone can join this groupchat":[""],"Persistent":[""],"This groupchat persists even if it's unoccupied":[""],"This groupchat will disappear once the last person leaves":[""],"All other groupchat participants can see your XMPP username":[""],"Only moderators can see your XMPP username":[""],"This groupchat is being moderated":[""],"Not moderated":[""],"This groupchat is not being moderated":[""],"Message archiving":[""],"Messages are archived on the server":[""],"No password":[""],"this groupchat is restricted to members only":[""],"XMPP Username:":["XMPP vartotojo vardas:"],"Password:":["Slaptažodis:"],"password":["slaptažodis"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["Spauskite čia norėdami prisijungti anonimiškai"],"This message has been edited":[""],"Message versions":[""],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Device without a fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":[""],"Create an account":[""],"Create your account":[""],"Please enter the XMPP provider to register with:":[""],"Already have a chat account?":[""],"Log in here":[""],"Account Registration:":[""],"Register":[""],"Choose a different provider":[""],"Hold tight, we're fetching the registration form…":[""],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":[""],"Download \"%1$s\"":[""],"Download video file":[""],"Download audio file":[""]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=3; plural=(n % 10 == 1 && (n % 100 < 11 || n % 100 > 19)) ? 0 : ((n % 10 >= 2 && n % 10 <= 9 && (n % 100 < 11 || n % 100 > 19)) ? 1 : 2);","lang":"lt"},"Bookmark this groupchat":[""],"The name for this bookmark:":[""],"Would you like this groupchat to be automatically joined upon startup?":[""],"What should your nickname for this groupchat be?":[""],"Save":["Išsaugoti"],"Cancel":["Atšaukti"],"Are you sure you want to remove the bookmark \"%1$s\"?":[""],"Error":[""],"Sorry, something went wrong while trying to save your bookmark.":[""],"Leave this groupchat":[""],"Remove this bookmark":[""],"Unbookmark this groupchat":[""],"Show more information on this groupchat":[""],"Click to toggle the bookmarks list":[""],"Bookmarks":[""],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":["Uždarykite šį pokalbių laukelį"],"Are you sure you want to remove this contact?":["Ar tikrai norite pašalinti šį kontaktą?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Deja, bandant pašalinti %1$s iš kontaktų įvyko klaida."],"You have unread messages":["Jūs turite neperskaitytų pranešimų"],"Hidden message":["Paslėpta žinutė"],"Message":[""],"Send":["Siųsti"],"Optional hint":["Neprivaloma užuomina"],"Choose a file to send":[""],"Click to write as a normal (non-spoiler) message":["Spustelėkite, jei norite parašyti įprastą (neatskleidžiamą) pranešimą"],"Click to write your message as a spoiler":["Spustelėkite, jei norite parašyti pranešimą kaip atskleidėją"],"Clear all messages":["Išvalyti visus pranešimus"],"Start a call":["Pradėti skambutį"],"Remove messages":["Pašalinti pranešimus"],"Write in the third person":["Rašykite trečiuoju asmeniu"],"Show this menu":["Rodyti šį meniu"],"Username":["Vartotojo vardas"],"user@domain":["vartotojas@domenas"],"Please enter a valid XMPP address":["Įveskite teisingą XMPP adresą"],"Chat Contacts":["Pokalbių kontaktai"],"Toggle chat":["Perjungti pokalbius"],"The connection has dropped, attempting to reconnect.":["Ryšys nutrūko, bandoma prisijungti iš naujo."],"An error occurred while connecting to the chat server.":["Bandant prisijungti prie pokalbių serverio įvyko klaida."],"Your Jabber ID and/or password is incorrect. Please try again.":["Jūsų vartotojo vardas ir / arba slaptažodis yra neteisingas. Prašome, pabandyki dar kartą."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Atsiprašome, nepavyko prisijungti prie XMPP serverio su domenu: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["XMPP serveris nepateikė palaikomo autentifikavimo mechanizmo"],"Typing from another device":["Rašoma iš kito įrenginio"],"Stopped typing on the other device":["Nustojo rašyti kitame įrenginyje"],"Unencryptable OMEMO message":[""],"Minimize this chat box":[""],"Click to restore this chat":[""],"Minimized":[""],"%1$s has been banned":["%1$s buvo užblokuotas"],"%1$s's nickname has changed":["%1$s slapyvardis buvo pakeistas"],"%1$s has been kicked out":["%1$s buvo pašalintas"],"%1$s has been removed because of an affiliation change":["%1$s buvo pašalintas dėl priklausymo pokyčių"],"%1$s has been removed for not being a member":[""],"Your nickname has been automatically set to %1$s":[""],"Your nickname has been changed to %1$s":[""],"Description:":[""],"Participants:":[""],"Features:":[""],"Requires authentication":[""],"Hidden":[""],"Requires an invitation":[""],"Moderated":[""],"Non-anonymous":[""],"Open":[""],"Permanent":[""],"Public":[""],"Semi-anonymous":[""],"Temporary":[""],"Unmoderated":[""],"Query for Groupchats":[""],"Server address":[""],"conference.example.org":[""],"Enter a new Groupchat":[""],"Groupchat address":[""],"Optional nickname":["Neprivalomas slapyvardis"],"name@conference.example.org":[""],"Join":[""],"Groupchat info for %1$s":[""],"%1$s is no longer a permanent member of this groupchat":[""],"%1$s is no longer a moderator":[""],"%1$s is now a moderator":[""],"Show more details about this groupchat":[""],"Hide the list of participants":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":[""],"Ban user from groupchat":[""],"Change user role to participant":[""],"Kick user from groupchat":[""],"Write in 3rd person":[""],"Grant membership to a user":[""],"Remove user's ability to post messages":[""],"Change your nickname":[""],"Grant moderator role to user":[""],"Grant ownership of this groupchat":[""],"Register a nickname for this room":[""],"Revoke user's membership":[""],"Set groupchat subject":[""],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":[""],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":[""],"Please choose your nickname":[""],"Nickname":[""],"Enter groupchat":[""],"This groupchat requires a password":[""],"Password: ":[""],"Submit":["Pateikti"],"This action was done by %1$s.":[""],"The reason given is: \"%1$s\".":[""],"%1$s has left and re-entered the groupchat":[""],"%1$s has entered the groupchat. \"%2$s\"":[""],"%1$s has entered and left the groupchat":[""],"%1$s has entered and left the groupchat. \"%2$s\"":[""],"%1$s has left the groupchat. \"%2$s\"":[""],"You are not on the member list of this groupchat.":[""],"No nickname was specified.":[""],"Your nickname doesn't conform to this groupchat's policies.":[""],"This groupchat does not (yet) exist.":[""],"This groupchat has reached its maximum number of participants.":[""],"Remote server not found":[""],"The explanation given is: \"%1$s\".":[""],"Topic set by %1$s":[""],"Topic cleared by %1$s":[""],"Click to mention %1$s in your message.":[""],"This user is a moderator.":[""],"This user can send messages in this groupchat.":[""],"This user can NOT send messages in this groupchat.":[""],"Moderator":[""],"Visitor":[""],"Owner":[""],"Member":[""],"Admin":[""],"Participants":[""],"Invite":[""],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":[""],"Please enter a valid XMPP username":[""],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":[""],"Notification from %1$s":[""],"%1$s says":[""],"OMEMO Message received":[""],"has gone offline":["atsijungė"],"has gone away":["pasišalines"],"is busy":["užsiėmęs"],"has come online":[""],"wants to be your contact":[""],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":["Tavo profilis"],"Close":["Uždaryti"],"Email":[""],"Full Name":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Pasišalines"],"Busy":["Užsiėmes"],"Custom status":["Pasirinktinis statusas"],"Offline":["Neprisijungęs"],"Online":["Prisijungęs"],"Away for long":["Ilgai pasišalines"],"Change chat status":["Keisti pokalbio būseną"],"Personal status message":["Asmeninis statuso pranešimas"],"I am %1$s":["Aš esu %1$s"],"Change settings":["Pakeisti nustatymus"],"Click to change your chat status":["Spustelėkite norėdami pakeisti pokalbio būseną"],"Log out":["Atsijungti"],"Your profile":["Jūsų profilis"],"Are you sure you want to log out?":["Ar tikrai norite atsijungti?"],"online":["prisijungęs"],"busy":["užsiėmes"],"away for long":["ilgai pasišalines"],"away":["pasišalines"],"offline":["neprisijungęs"]," e.g. conversejs.org":[""],"Fetch registration form":[""],"Tip: A list of public XMPP providers is available":[""],"here":[""],"Sorry, we're unable to connect to your chosen provider.":[""],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":[""],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":[""],"Now logging you in":[""],"Registered successfully":[""],"The provider rejected your registration attempt. Please check the values you entered for correctness.":[""],"Click to toggle the list of open groupchats":[""],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["Atsiprašome, bandant pridėti %1$s kaip kontaktą įvyko klaida."],"This client does not allow presence subscriptions":["Šis klientas neleidžia aktyvumo prenumeratos"],"Click to hide these contacts":["Spustelėkite, kad paslėptumėte šiuos kontaktus"],"This contact is busy":["Šis kontaktas užimtas"],"This contact is online":["Šis kontaktas yra prisijungęs"],"This contact is offline":["Šis kontaktas yra atsijungęs"],"This contact is unavailable":["Šis kontaktas yra nepasiekiamas"],"This contact is away for an extended period":["Šis kontaktas yra ilgai pasišalines"],"This contact is away":["Šis kontaktas yra pasišalines"],"Groups":["Grupės"],"My contacts":["Mano kontaktai"],"Pending contacts":["Laukiantys kontaktai"],"Contact requests":["Prašymai pridėti prie kontaktų"],"Ungrouped":["Nesugrupuota"],"Contact name":["Kontakto vardas"],"Add a Contact":["Pridėti kontaktą"],"XMPP Address":["XMPP adresas"],"name@example.org":["vardas@pavyzdys.lt"],"Add":["Pridėti"],"Filter":["Filtras"],"Filter by contact name":["Filtruoti pagal kontaktinį vardą"],"Filter by group name":["Filtruoti pagal grupės pavadinimą"],"Filter by status":["Filtruoti pagal būseną"],"Any":["Bet koks"],"Unread":["Neskaityta"],"Chatty":["Pokalbis"],"Extended Away":["Ilgai pasišalines"],"Click to remove %1$s as a contact":["Spustelėkite, jei norite pašalinti %1$s iš kontaktų"],"Click to accept the contact request from %1$s":["Spustelėkite, jei norite priimti kontaktinį prašymą iš %1$s"],"Click to decline the contact request from %1$s":["Spustelėkite, jei norite atmesti kontaktinį prašymą iš %1$s"],"Click to chat with %1$s (JID: %2$s)":["Spauskite, kad pradėtumėte pokalbį su %1$s (JID: %2$s)"],"Are you sure you want to decline this contact request?":["Ar tikrai norite atmesti šį kontaktinį prašymą?"],"Contacts":["Kontaktai"],"Add a contact":["Pridėti adresatą"],"Name":[""],"Description":[""],"Topic":[""],"Topic author":[""],"Features":[""],"Password protected":[""],"This groupchat requires a password before entry":[""],"No password required":[""],"This groupchat does not require a password upon entry":[""],"This groupchat is not publicly searchable":[""],"This groupchat is publicly searchable":[""],"Members only":[""],"Anyone can join this groupchat":[""],"Persistent":[""],"This groupchat persists even if it's unoccupied":[""],"This groupchat will disappear once the last person leaves":[""],"All other groupchat participants can see your XMPP username":[""],"Only moderators can see your XMPP username":[""],"This groupchat is being moderated":[""],"Not moderated":[""],"This groupchat is not being moderated":[""],"Message archiving":[""],"Messages are archived on the server":[""],"No password":[""],"this groupchat is restricted to members only":[""],"XMPP Username:":["XMPP vartotojo vardas:"],"Password:":["Slaptažodis:"],"password":["slaptažodis"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["Spauskite čia norėdami prisijungti anonimiškai"],"This message has been edited":[""],"Message versions":[""],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Device without a fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":[""],"Create an account":[""],"Create your account":[""],"Please enter the XMPP provider to register with:":[""],"Already have a chat account?":[""],"Log in here":[""],"Account Registration:":[""],"Register":[""],"Choose a different provider":[""],"Hold tight, we're fetching the registration form…":[""],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":[""],"Download file \"%1$s\"":[""],"Download image \"%1$s\"":[""],"Download video file \"%1$s\"":[""],"Download audio file \"%1$s\"":[""]}}} \ No newline at end of file diff --git a/locale/lt/LC_MESSAGES/converse.po b/locale/lt/LC_MESSAGES/converse.po index 42ba85ded..d8d7d843e 100644 --- a/locale/lt/LC_MESSAGES/converse.po +++ b/locale/lt/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 3.3.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-04-19 12:38+0000\n" "Last-Translator: Stasys Petraitis \n" "Language-Team: Lithuanian \n" "Language-Team: Norwegian Bokmål \n" "Language-Team: Dutch \n" "Language-Team: Flemish =2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;","lang":"pl"},"Bookmark this groupchat":["Zakładka do tego pokoju"],"The name for this bookmark:":["Nazwa dla tej zakładki:"],"Would you like this groupchat to be automatically joined upon startup?":["Czy chcesz automatycznie dołączać do tej grupy podczas startu ?"],"What should your nickname for this groupchat be?":["Jaki nick dla tego chatu grupowego ?"],"Save":["Zachowaj"],"Cancel":["Anuluj"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Czy potwierdzasz zamiar usunięcia zakładki \"%1$s\"?"],"Error":["Błąd"],"Sorry, something went wrong while trying to save your bookmark.":["Wystąpił błąd w trakcie próby zapisu zakładki."],"Leave this groupchat":["Opuść ten pokój"],"Remove this bookmark":["Usuń tą zakładke"],"Unbookmark this groupchat":["Usuń zakładkę do tego pokoju"],"Show more information on this groupchat":["Pokaż więcej informacji o pokoju"],"Click to open this groupchat":["Kliknij aby wejść do pokoju"],"Click to toggle the bookmarks list":["Kliknij aby przełączyć listę zakładek"],"Bookmarks":["Zakładki"],"Sorry, could not determine file upload URL.":["Nie można określić URL do uploadu pliku."],"Sorry, could not determine upload URL.":["Nie można określić URL do uploadu."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Nie powiódł się upload pliku. Odpowiedź serwera \"%1$s\""],"Sorry, could not succesfully upload your file.":["Nie powiódł się upload pliku."],"Sorry, looks like file upload is not supported by your server.":["Ups, wygląda na to, że serwer nie wspiera uploadu plików."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["Rozmiar pliku, %1$s, przekracza maksymalny rozmiar obsługiwany przez serwer, %2$s."],"Sorry, an error occurred:":["Wystąpił błąd:"],"Close this chat box":["Zamknij okno rozmowy"],"Are you sure you want to remove this contact?":["Czy potwierdzasz zamiar usnunięcia tego kontaktu?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Wystąpił błąd w trakcie próby usunięcia %1$s."],"You have unread messages":["Masz nieprzeczytane wiadomości"],"Hidden message":["Ukryta wiadomość"],"Message":["Wiadomość"],"Send":["Wyślij"],"Optional hint":["Dodatkowa wskazówka"],"Choose a file to send":["Wybierz plik do wysłania"],"Clear all messages":["Wyczyść wszystkie wiadomości"],"Insert emojis":["Wstaw emotkę"],"Start a call":["Zadzwoń"],"Remove messages":["Usuń wiadomości"],"Write in the third person":["Pisz w trzeciej osobie"],"Show this menu":["Pokaż menu"],"Are you sure you want to clear the messages from this conversation?":["Potwierdź czy rzeczywiście chcesz wyczyścić wiadomości z okna rozmowy?"],"%1$s has gone offline":["%1$s rozłączył się"],"%1$s has gone away":["%1$s odszedł od klawiatury"],"%1$s is busy":["%1$s jest zajęty"],"%1$s is online":["%1$s jest dostępny"],"Username":["Nazwa użytkownika"],"user@domain":["użytkownik@domena"],"Please enter a valid XMPP address":["Wprowadź poprawny adres XMPP"],"Chat Contacts":["Kontakty"],"Toggle chat":["Przełącz rozmowę"],"The connection has dropped, attempting to reconnect.":["Połączenie zostało utracone, próbuję się połączyć ponownie."],"An error occurred while connecting to the chat server.":["Wystąpił błąd w czasie łączenia się z serwerem."],"Your Jabber ID and/or password is incorrect. Please try again.":["Twój Jabber ID i/lub hasło jest nieprawidłowe. Spróbuj ponownie."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Problem z połączeniem do serwera XMPP w domenie: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Serwer XMPP nie oferuje wspieranego mechanizmu uwierzytelniania"],"Show more":["Pokaż więcej"],"Typing from another device":["Wpisywanie z innego urządzenia"],"%1$s is typing":["%1$s pisze"],"Stopped typing on the other device":["Przestał pisać na innym urządzeniu"],"%1$s has stopped typing":["%1$s przestał pisać"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Zmniejsz okno rozmowy"],"Click to restore this chat":["Kliknij aby powrócić do rozmowy"],"Minimized":["Zminimalizowany"],"This groupchat is not anonymous":["Ten pokój nie jest anonimowy"],"This groupchat now shows unavailable members":["Pokój pokazuje teraz niedostępnych rozmówców"],"This groupchat does not show unavailable members":["Ten pokój nie wyświetla niedostępnych członków"],"The groupchat configuration has changed":["Ustawienia pokoju zostały zmienione"],"groupchat logging is now enabled":["włączono zapisywanie rozmów w pokoju"],"groupchat logging is now disabled":["włączono zapisywanie rozmów w pokoju"],"This groupchat is now no longer anonymous":["Ten pokój nie jest już anonimowy"],"This groupchat is now semi-anonymous":["Pokój jest teraz częściowo anonimowy"],"This groupchat is now fully-anonymous":["Pokój jest teraz w pełni anonimowy"],"A new groupchat has been created":["Utworzono nowy pokój"],"You have been banned from this groupchat":["Zostałeś zablokowany w tym pokoju"],"You have been kicked from this groupchat":["Zostałeś wyrzucony z pokoju"],"You have been removed from this groupchat because of an affiliation change":["Zostałeś usunięty z pokoju ze względu na zmianę przynależności"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Zostałeś usunięty z pokoju ze względu na to, że pokój zmienił się na wymagający członkowstwa, a ty nie jesteś członkiem"],"You have been removed from this groupchat because the service hosting it is being shut down":["Zostałeś usunięty z pokoju ponieważ serwis hostingowy został wyłączony"],"%1$s has been banned":["%1$s został zbanowany"],"%1$s's nickname has changed":["%1$s zmienił ksywkę"],"%1$s has been kicked out":["%1$s został wykopany"],"%1$s has been removed because of an affiliation change":["%1$s został usunięty z powodu zmiany przynależności"],"%1$s has been removed for not being a member":["%1$s został usunięty z powodu braku członkostwa"],"Your nickname has been automatically set to %1$s":["Twoja ksywka została automatycznie zmieniona na: %1$s"],"Your nickname has been changed to %1$s":["Twoja ksywka została zmieniona na: %1$s"],"Description:":["Opis:"],"Groupchat Address (JID):":["Nazwa pokoju (JID):"],"Participants:":["Uczestnicy:"],"Features:":["Właściwości:"],"Requires authentication":["Wymaga uwierzytelnienia"],"Hidden":["Ukryty"],"Requires an invitation":["Wymaga zaproszenia"],"Moderated":["Moderowany"],"Non-anonymous":["Nieanonimowy"],"Public":["Publiczny"],"Semi-anonymous":["Częściowo anonimowy"],"Temporary":["Pokój tymczasowy"],"Unmoderated":["Niemoderowany"],"Query for Groupchats":["Wyszukaj pokoje"],"Show groupchats":["Pokaż pokoje"],"No groupchats found":["Nie znaleziono pokojów"],"Groupchats found:":["Znalezione pokoje:"],"Optional nickname":["Opcjonalny nick"],"name@conference.example.org":["nazwa@konferencja.domena.pl"],"Groupchat info for %1$s":["Informacje o o pokoju %1$s"],"%1$s is no longer a moderator":["%1$s nie jest już moderatorem"],"%1$s has been given a voice again":["%1$s ponownie otrzymał głos"],"%1$s has been muted":["%1$s został wyciszony"],"%1$s is now a moderator":["%1$s został moderatorem"],"Close and leave this groupchat":["Opuść ten pokój"],"Configure this groupchat":["Skonfiguruj ten pokój"],"Show more details about this groupchat":["Pokaż więcej informacji o pokoju"],"Hide the list of participants":["Ukryj listę rozmówców"],"Forbidden: you do not have the necessary role in order to do that.":["Zabronione: nie masz do tego wystarczających uprawnień."],"Forbidden: you do not have the necessary affiliation in order to do that.":["Zabronione: nie masz dostępu ze względu na brak przynależności.."],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Błąd: polecenie \"%1$s\" przyjmuje dwa argumenty: pseudonim i opcjonalnie powód."],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Ups, podczas wykonywania polecenia wystąpił błąd. Szczegółowe informacje można znaleźć w konsoli deweloperskiej przeglądarki."],"Change user's affiliation to admin":["Przyznaj prawa administratora"],"Ban user from groupchat":["Zablokuj użytkownikowi dostępu do pokoju"],"Change user role to participant":["Zmień uprawnienia na zwykłego uczestnika"],"Write in 3rd person":["Pisz w trzeciej osobie"],"Grant membership to a user":["Przyznaj członkowstwo"],"Remove user's ability to post messages":["Zablokuj człowiekowi możliwość rozmowy"],"Change your nickname":["Zmień ksywkę"],"Grant moderator role to user":["Przyznaj prawa moderatora"],"Revoke user's membership":["Usuń z listy członków"],"Set groupchat subject (alias for /subject)":["Ustaw temat rozmowy (alias dla /subject)"],"Allow muted user to post messages":["Pozwól uciszonemu człowiekowi na rozmowę"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Ksywka jaką wybrałeś jest zarezerwowana albo w użyciu, wybierz proszę inną."],"Please choose your nickname":["Wybierz proszę ksywkę"],"Nickname":["Ksywka"],"Password: ":["Hasło: "],"Submit":["Wyślij"],"Remote server not found":["Nie znaleziono serwera"],"This user is a moderator.":["Ten użytkownik jest moderatorem."],"Visitor":["Gość"],"Owner":["Właściciel"],"Member":["Członek"],"Admin":["Administrator"],"Participants":["Uczestnicy"],"Invite":["Zaproś"],"Please enter a valid XMPP username":["Wprowadź poprawną nazwę użytkownika XMPP"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Powiadomienie od %1$s"],"%1$s says":["%1$s powiedział"],"has gone offline":["wyłączył się"],"has gone away":["uciekł"],"is busy":["zajęty"],"has come online":["połączył się"],"wants to be your contact":["chce być twoim kontaktem"],"Sorry, could not decrypt a received OMEMO message due to an error.":["Ups, problem z odszyfrowaniem odebranego komunikatu OMEMO z powodu błędu."],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":["To jest zaszyfrowana wiadomość OMEMO, której twój klient nie obsługuje. Więcej informacji na stronie https://conversations.im/omemo"],"Sorry, could not send the message due to an error.":["Przepraszamy, z powodu błędu nie udało się wysłać wiadomości."],"Your avatar image":["Twój awatar"],"Your Profile":["Twój profil"],"Close":["Zamknij"],"Email":["E-mail"],"XMPP Address (JID)":["Adres XMPP (JID)"],"Role":["Rola"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Użyj przecinków, aby rozdzielić wiele ról. Twoje role są wyświetlane obok Twojego imienia i nazwiska w wiadomościach czatu."],"URL":["Adres URL"],"You can check your browser's developer console for any error output.":["Możesz sprawdzić konsolę dewelopera przeglądarki pod kątem błędów."],"Away":["Nieobecny"],"Busy":["Zajęty"],"Custom status":["Własny status"],"Offline":["Rozłączony"],"Online":["Dostępny"],"I am %1$s":["Jestem %1$s"],"Change settings":["Zmiana ustawień"],"Click to change your chat status":["Kliknij aby zmienić status rozmowy"],"Log out":["Wyloguj się"],"Your profile":["Twój profil"],"online":["dostępny"],"busy":["zajęty"],"away for long":["dłużej nieobecny"],"away":["nieobecny"],"offline":["rozłączony"]," e.g. conversejs.org":[" np. conversejs.org"],"Fetch registration form":["Pobierz formularz rejestracyjny"],"Tip: A list of public XMPP providers is available":["Wskazówka: dostępna jest lista publicznych dostawców XMPP"],"here":["tutaj"],"Sorry, we're unable to connect to your chosen provider.":["Wystąpił problem z nawiązaniem połączenia się z wybranym dostawcą."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Przepraszamy, ale podany dostawca nie obsługuje rejestracji. Spróbuj wskazać innego dostawcę."],"Now logging you in":["Jesteś logowany"],"Registered successfully":["Szczęśliwie zarejestrowany"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Dostawca odrzucił twoją próbę rejestracji. Sprawdź proszę poprawność danych które zostały wprowadzone."],"Open Groupchats":["Otwórz pokoje"],"Sorry, there was an error while trying to add %1$s as a contact.":["Wystąpił błąd podczas próby dodania %1$s do listy kontaktów."],"This client does not allow presence subscriptions":["Klient nie umożliwia subskrybcji obecności"],"Click to hide these contacts":["Kliknij aby schować te kontakty"],"This contact is busy":["Kontakt jest zajęty"],"This contact is online":["Kontakt jest połączony"],"This contact is offline":["Kontakt jest niepołączony"],"This contact is unavailable":["Kontakt jest niedostępny"],"This contact is away for an extended period":["Kontakt jest nieobecny przez dłuższą chwilę"],"This contact is away":["Kontakt jest nieobecny"],"Groups":["Grupy"],"My contacts":["Moje kontakty"],"Pending contacts":["Kontakty oczekujące"],"Contact requests":["Zaproszenia do kontaktu"],"Ungrouped":["Niezgrupowane"],"Contact name":["Nazwa kontaktu"],"XMPP Address":["Adres XMPP"],"Add":["Dodaj"],"Filter":["Filtr"],"Filter by group name":["Filtruj według nazwy grupy"],"Filter by status":["Filtruj według stanu"],"Any":["Dowolny"],"Unread":["Nieprzeczytane"],"Chatty":["Gotowy do rozmowy"],"Extended Away":["Dłuższa nieobecność"],"Click to accept the contact request from %1$s":["Kliknij aby zaakceptować prośbę o nawiązanie kontaktu od %1$s"],"Are you sure you want to decline this contact request?":["Czy potwierdzasz odrzucenie chęci nawiązania kontaktu?"],"Contacts":["Kontakty"],"Add a contact":["Dodaj kontakt"],"Topic":["Temat"],"Topic author":["Autor tematu"],"Members only":["Tylko dla członków"],"Persistent":["Trwały"],"This groupchat persists even if it's unoccupied":["Ten pokój przetrwa nawet bez użytkowników"],"This groupchat will disappear once the last person leaves":["Ten pokój zniknie po opuszczeniu go przez ostatniego użytkownika"],"All other groupchat participants can see your XMPP username":["Wszyscy uczestnicy grupowego czatu widzą Twoją nazwę użytkownika XMPP"],"Only moderators can see your XMPP username":["Nazwa użytkownika XMPP jest widoczna tylko dla moderatorów"],"Message archiving":["Archiwizowanie wiadomości"],"Messages are archived on the server":["Wiadomości są przechowywane na serwerze"],"XMPP Username:":["Nazwa użytkownika XMPP:"],"Password:":["Hasło:"],"password":["hasło"],"This is a trusted device":["To jest zaufane urządzenie"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["Aby zwiększyć wydajność, w tej przeglądarce zapisujemy dane w pamięci podręcznej. Usuń zaznaczenie tego pola, jeśli jest to komputer publiczny lub jeśli chcesz, aby Twoje dane zostały usunięte po wylogowaniu. Ważne jest, aby się wylogować, w przeciwnym razie nie wszystkie dane w pamięci podręcznej zostanąusunięte."],"Click here to log in anonymously":["Kliknij tutaj aby zalogować się anonimowo"],"Save and close":["Zapisz i zamknij"],"This device's OMEMO fingerprint":["Odcisk palca OMEMO tego urządzenia"],"Select all":["Wybierz wszystkie"],"Checkbox to select fingerprints of all other OMEMO devices":["Zaznacz pole wyboru, aby wybrać odciski palców wszystkich innych urządzeń OMEMO"],"Other OMEMO-enabled devices":["Pozostałe urządzenia z funkcją OMEMO"],"Checkbox for selecting the following fingerprint":["Pole wyboru wyboru odcisków palców"],"Remove checked devices and close":["Usuń zaznaczone urządzenia i zamknij"],"Don't have a chat account?":["Nie masz konta?"],"Create an account":["Utwórz konto"],"Create your account":["Utwórz własne konto"],"Please enter the XMPP provider to register with:":["Wprowadź dostawcę XMPP, u którego chcesz się zarejestrować:"],"Already have a chat account?":["Masz już konto?"],"Log in here":["Zaloguj się"],"Account Registration:":["Rejestracja Konta:"],"Register":["Zarejestruj się"],"Choose a different provider":["Wybierz innego dostawcę"],"Hold tight, we're fetching the registration form…":["Czekaj, pobieram formularz rejestracyjny…"],"Messages are being sent in plaintext":["Wiadomości są wysyłane w postaci zwykłego tekstu"],"The User's Profile Image":["Zdjęcie profilowe użytkownika"],"OMEMO Fingerprints":["Odciski palców OMEMO"],"Trusted":["Zaufany"],"Untrusted":["Niezaufany"],"Refresh":["Odśwież"],"Download":["Pobierz"],"Download \"%1$s\"":["Pobierz \"%1$s\""],"Download video file":["Pobierz plik wideo"],"Download audio file":["Pobierz plik audio"]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=3; plural=n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;","lang":"pl"},"Bookmark this groupchat":["Zakładka do tego pokoju"],"The name for this bookmark:":["Nazwa dla tej zakładki:"],"Would you like this groupchat to be automatically joined upon startup?":["Czy chcesz automatycznie dołączać do tej grupy podczas startu ?"],"What should your nickname for this groupchat be?":["Jaki nick dla tego chatu grupowego ?"],"Save":["Zachowaj"],"Cancel":["Anuluj"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Czy potwierdzasz zamiar usunięcia zakładki \"%1$s\"?"],"Error":["Błąd"],"Sorry, something went wrong while trying to save your bookmark.":["Wystąpił błąd w trakcie próby zapisu zakładki."],"Leave this groupchat":["Opuść ten pokój"],"Remove this bookmark":["Usuń tą zakładke"],"Unbookmark this groupchat":["Usuń zakładkę do tego pokoju"],"Show more information on this groupchat":["Pokaż więcej informacji o pokoju"],"Click to open this groupchat":["Kliknij aby wejść do pokoju"],"Click to toggle the bookmarks list":["Kliknij aby przełączyć listę zakładek"],"Bookmarks":["Zakładki"],"Sorry, could not determine file upload URL.":["Nie można określić URL do uploadu pliku."],"Sorry, could not determine upload URL.":["Nie można określić URL do uploadu."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Nie powiódł się upload pliku. Odpowiedź serwera \"%1$s\""],"Sorry, could not succesfully upload your file.":["Nie powiódł się upload pliku."],"Sorry, looks like file upload is not supported by your server.":["Ups, wygląda na to, że serwer nie wspiera uploadu plików."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["Rozmiar pliku, %1$s, przekracza maksymalny rozmiar obsługiwany przez serwer, %2$s."],"Sorry, an error occurred:":["Wystąpił błąd:"],"Close this chat box":["Zamknij okno rozmowy"],"Are you sure you want to remove this contact?":["Czy potwierdzasz zamiar usnunięcia tego kontaktu?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Wystąpił błąd w trakcie próby usunięcia %1$s."],"You have unread messages":["Masz nieprzeczytane wiadomości"],"Hidden message":["Ukryta wiadomość"],"Message":["Wiadomość"],"Send":["Wyślij"],"Optional hint":["Dodatkowa wskazówka"],"Choose a file to send":["Wybierz plik do wysłania"],"Clear all messages":["Wyczyść wszystkie wiadomości"],"Insert emojis":["Wstaw emotkę"],"Start a call":["Zadzwoń"],"Remove messages":["Usuń wiadomości"],"Write in the third person":["Pisz w trzeciej osobie"],"Show this menu":["Pokaż menu"],"Are you sure you want to clear the messages from this conversation?":["Potwierdź czy rzeczywiście chcesz wyczyścić wiadomości z okna rozmowy?"],"%1$s has gone offline":["%1$s rozłączył się"],"%1$s has gone away":["%1$s odszedł od klawiatury"],"%1$s is busy":["%1$s jest zajęty"],"%1$s is online":["%1$s jest dostępny"],"Username":["Nazwa użytkownika"],"user@domain":["użytkownik@domena"],"Please enter a valid XMPP address":["Wprowadź poprawny adres XMPP"],"Chat Contacts":["Kontakty"],"Toggle chat":["Przełącz rozmowę"],"The connection has dropped, attempting to reconnect.":["Połączenie zostało utracone, próbuję się połączyć ponownie."],"An error occurred while connecting to the chat server.":["Wystąpił błąd w czasie łączenia się z serwerem."],"Your Jabber ID and/or password is incorrect. Please try again.":["Twój Jabber ID i/lub hasło jest nieprawidłowe. Spróbuj ponownie."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Problem z połączeniem do serwera XMPP w domenie: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Serwer XMPP nie oferuje wspieranego mechanizmu uwierzytelniania"],"Show more":["Pokaż więcej"],"Typing from another device":["Wpisywanie z innego urządzenia"],"%1$s is typing":["%1$s pisze"],"Stopped typing on the other device":["Przestał pisać na innym urządzeniu"],"%1$s has stopped typing":["%1$s przestał pisać"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Zmniejsz okno rozmowy"],"Click to restore this chat":["Kliknij aby powrócić do rozmowy"],"Minimized":["Zminimalizowany"],"This groupchat is not anonymous":["Ten pokój nie jest anonimowy"],"This groupchat now shows unavailable members":["Pokój pokazuje teraz niedostępnych rozmówców"],"This groupchat does not show unavailable members":["Ten pokój nie wyświetla niedostępnych członków"],"The groupchat configuration has changed":["Ustawienia pokoju zostały zmienione"],"groupchat logging is now enabled":["włączono zapisywanie rozmów w pokoju"],"groupchat logging is now disabled":["włączono zapisywanie rozmów w pokoju"],"This groupchat is now no longer anonymous":["Ten pokój nie jest już anonimowy"],"This groupchat is now semi-anonymous":["Pokój jest teraz częściowo anonimowy"],"This groupchat is now fully-anonymous":["Pokój jest teraz w pełni anonimowy"],"A new groupchat has been created":["Utworzono nowy pokój"],"You have been banned from this groupchat":["Zostałeś zablokowany w tym pokoju"],"You have been kicked from this groupchat":["Zostałeś wyrzucony z pokoju"],"You have been removed from this groupchat because of an affiliation change":["Zostałeś usunięty z pokoju ze względu na zmianę przynależności"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Zostałeś usunięty z pokoju ze względu na to, że pokój zmienił się na wymagający członkowstwa, a ty nie jesteś członkiem"],"You have been removed from this groupchat because the service hosting it is being shut down":["Zostałeś usunięty z pokoju ponieważ serwis hostingowy został wyłączony"],"%1$s has been banned":["%1$s został zbanowany"],"%1$s's nickname has changed":["%1$s zmienił ksywkę"],"%1$s has been kicked out":["%1$s został wykopany"],"%1$s has been removed because of an affiliation change":["%1$s został usunięty z powodu zmiany przynależności"],"%1$s has been removed for not being a member":["%1$s został usunięty z powodu braku członkostwa"],"Your nickname has been automatically set to %1$s":["Twoja ksywka została automatycznie zmieniona na: %1$s"],"Your nickname has been changed to %1$s":["Twoja ksywka została zmieniona na: %1$s"],"Description:":["Opis:"],"Groupchat Address (JID):":["Nazwa pokoju (JID):"],"Participants:":["Uczestnicy:"],"Features:":["Właściwości:"],"Requires authentication":["Wymaga uwierzytelnienia"],"Hidden":["Ukryty"],"Requires an invitation":["Wymaga zaproszenia"],"Moderated":["Moderowany"],"Non-anonymous":["Nieanonimowy"],"Public":["Publiczny"],"Semi-anonymous":["Częściowo anonimowy"],"Temporary":["Pokój tymczasowy"],"Unmoderated":["Niemoderowany"],"Query for Groupchats":["Wyszukaj pokoje"],"Show groupchats":["Pokaż pokoje"],"conference.example.org":["conference.domena.pl"],"No groupchats found":["Nie znaleziono pokojów"],"Groupchats found:":["Znalezione pokoje:"],"Optional nickname":["Opcjonalny nick"],"name@conference.example.org":["nazwa@konferencja.domena.pl"],"Join":["Dołącz"],"Groupchat info for %1$s":["Informacje o o pokoju %1$s"],"%1$s is no longer a moderator":["%1$s nie jest już moderatorem"],"%1$s has been given a voice again":["%1$s ponownie otrzymał głos"],"%1$s has been muted":["%1$s został wyciszony"],"%1$s is now a moderator":["%1$s został moderatorem"],"Close and leave this groupchat":["Opuść ten pokój"],"Configure this groupchat":["Skonfiguruj ten pokój"],"Show more details about this groupchat":["Pokaż więcej informacji o pokoju"],"Hide the list of participants":["Ukryj listę rozmówców"],"Forbidden: you do not have the necessary role in order to do that.":["Zabronione: nie masz do tego wystarczających uprawnień."],"Forbidden: you do not have the necessary affiliation in order to do that.":["Zabronione: nie masz dostępu ze względu na brak przynależności.."],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Błąd: polecenie \"%1$s\" przyjmuje dwa argumenty: pseudonim i opcjonalnie powód."],"Sorry, an error happened while running the command. Check your browser's developer console for details.":["Ups, podczas wykonywania polecenia wystąpił błąd. Szczegółowe informacje można znaleźć w konsoli deweloperskiej przeglądarki."],"Change user's affiliation to admin":["Przyznaj prawa administratora"],"Ban user from groupchat":["Zablokuj użytkownikowi dostępu do pokoju"],"Change user role to participant":["Zmień uprawnienia na zwykłego uczestnika"],"Kick user from groupchat":["Wykop z pokoju"],"Write in 3rd person":["Pisz w trzeciej osobie"],"Grant membership to a user":["Przyznaj członkowstwo"],"Remove user's ability to post messages":["Zablokuj człowiekowi możliwość rozmowy"],"Change your nickname":["Zmień ksywkę"],"Grant moderator role to user":["Przyznaj prawa moderatora"],"Grant ownership of this groupchat":["Uczyń właścicielem pokoju"],"Revoke user's membership":["Usuń z listy członków"],"Set groupchat subject":["Ustaw temat pokoju"],"Set groupchat subject (alias for /subject)":["Ustaw temat rozmowy (alias dla /subject)"],"Allow muted user to post messages":["Pozwól uciszonemu człowiekowi na rozmowę"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Ksywka jaką wybrałeś jest zarezerwowana albo w użyciu, wybierz proszę inną."],"Please choose your nickname":["Wybierz proszę ksywkę"],"Nickname":["Ksywka"],"Enter groupchat":["Wejdź do pokoju"],"This groupchat requires a password":["Wstęp do pokoju wymaga podania hasła"],"Password: ":["Hasło: "],"Submit":["Wyślij"],"This action was done by %1$s.":["Ta akcja została wykonana przez %1$s."],"The reason given is: \"%1$s\".":["Podana przyczyna to: \"%1$s\"."],"%1$s has left and re-entered the groupchat":["%1$s opuścił i ponownie wszedł do pokoju"],"%1$s has entered the groupchat":["%1$s wszedł do pokoju"],"%1$s has entered the groupchat. \"%2$s\"":["%1$s wszedł do pokoju \"%2$s\""],"%1$s has entered and left the groupchat":["%1$s wszedł i wyszedł z pokoju"],"%1$s has entered and left the groupchat. \"%2$s\"":["%1$s wszedł i wyszedł z pokoju. \"%2$s\""],"%1$s has left the groupchat":["%1$s opuścił pokój"],"%1$s has left the groupchat. \"%2$s\"":["%1$s opuścił pokój. \"%2$s\""],"You are not on the member list of this groupchat.":["Nie jesteś członkiem tego pokoju rozmów."],"You have been banned from this groupchat.":["Zostałeś zablokowany w tym pokoju."],"No nickname was specified.":["Nie podałeś ksywki."],"You are not allowed to create new groupchats.":["Nie masz uprawnień do tworzenia nowych pokojów rozmów."],"Your nickname doesn't conform to this groupchat's policies.":["Twoja ksywka nie jest zgodna z regulaminem pokoju."],"This groupchat does not (yet) exist.":["Ten pokój (jeszcze) nie istnieje."],"This groupchat has reached its maximum number of participants.":["Pokój przekroczył dozwoloną ilość rozmówców."],"Remote server not found":["Nie znaleziono serwera"],"The explanation given is: \"%1$s\".":["Podana przyczyna to: \"%1$s\"."],"This user is a moderator.":["Ten użytkownik jest moderatorem."],"Visitor":["Gość"],"Owner":["Właściciel"],"Member":["Członek"],"Admin":["Administrator"],"Participants":["Uczestnicy"],"Invite":["Zaproś"],"Please enter a valid XMPP username":["Wprowadź poprawną nazwę użytkownika XMPP"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Powiadomienie od %1$s"],"%1$s says":["%1$s powiedział"],"has gone offline":["wyłączył się"],"has gone away":["uciekł"],"is busy":["zajęty"],"has come online":["połączył się"],"wants to be your contact":["chce być twoim kontaktem"],"Sorry, could not decrypt a received OMEMO message due to an error.":["Ups, problem z odszyfrowaniem odebranego komunikatu OMEMO z powodu błędu."],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":["To jest zaszyfrowana wiadomość OMEMO, której twój klient nie obsługuje. Więcej informacji na stronie https://conversations.im/omemo"],"Sorry, could not send the message due to an error.":["Przepraszamy, z powodu błędu nie udało się wysłać wiadomości."],"Your avatar image":["Twój awatar"],"Your Profile":["Twój profil"],"Close":["Zamknij"],"Email":["E-mail"],"XMPP Address (JID)":["Adres XMPP (JID)"],"Role":["Rola"],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":["Użyj przecinków, aby rozdzielić wiele ról. Twoje role są wyświetlane obok Twojego imienia i nazwiska w wiadomościach czatu."],"URL":["Adres URL"],"You can check your browser's developer console for any error output.":["Możesz sprawdzić konsolę dewelopera przeglądarki pod kątem błędów."],"Away":["Nieobecny"],"Busy":["Zajęty"],"Custom status":["Własny status"],"Offline":["Rozłączony"],"Online":["Dostępny"],"I am %1$s":["Jestem %1$s"],"Change settings":["Zmiana ustawień"],"Click to change your chat status":["Kliknij aby zmienić status rozmowy"],"Log out":["Wyloguj się"],"Your profile":["Twój profil"],"online":["dostępny"],"busy":["zajęty"],"away for long":["dłużej nieobecny"],"away":["nieobecny"],"offline":["rozłączony"]," e.g. conversejs.org":[" np. conversejs.org"],"Fetch registration form":["Pobierz formularz rejestracyjny"],"Tip: A list of public XMPP providers is available":["Wskazówka: dostępna jest lista publicznych dostawców XMPP"],"here":["tutaj"],"Sorry, we're unable to connect to your chosen provider.":["Wystąpił problem z nawiązaniem połączenia się z wybranym dostawcą."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Przepraszamy, ale podany dostawca nie obsługuje rejestracji. Spróbuj wskazać innego dostawcę."],"Now logging you in":["Jesteś logowany"],"Registered successfully":["Szczęśliwie zarejestrowany"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Dostawca odrzucił twoją próbę rejestracji. Sprawdź proszę poprawność danych które zostały wprowadzone."],"Open Groupchats":["Otwórz pokoje"],"Sorry, there was an error while trying to add %1$s as a contact.":["Wystąpił błąd podczas próby dodania %1$s do listy kontaktów."],"This client does not allow presence subscriptions":["Klient nie umożliwia subskrybcji obecności"],"Click to hide these contacts":["Kliknij aby schować te kontakty"],"This contact is busy":["Kontakt jest zajęty"],"This contact is online":["Kontakt jest połączony"],"This contact is offline":["Kontakt jest niepołączony"],"This contact is unavailable":["Kontakt jest niedostępny"],"This contact is away for an extended period":["Kontakt jest nieobecny przez dłuższą chwilę"],"This contact is away":["Kontakt jest nieobecny"],"Groups":["Grupy"],"My contacts":["Moje kontakty"],"Pending contacts":["Kontakty oczekujące"],"Contact requests":["Zaproszenia do kontaktu"],"Ungrouped":["Niezgrupowane"],"Contact name":["Nazwa kontaktu"],"XMPP Address":["Adres XMPP"],"Add":["Dodaj"],"Filter":["Filtr"],"Filter by group name":["Filtruj według nazwy grupy"],"Filter by status":["Filtruj według stanu"],"Any":["Dowolny"],"Unread":["Nieprzeczytane"],"Chatty":["Gotowy do rozmowy"],"Extended Away":["Dłuższa nieobecność"],"Click to accept the contact request from %1$s":["Kliknij aby zaakceptować prośbę o nawiązanie kontaktu od %1$s"],"Are you sure you want to decline this contact request?":["Czy potwierdzasz odrzucenie chęci nawiązania kontaktu?"],"Contacts":["Kontakty"],"Add a contact":["Dodaj kontakt"],"Topic":["Temat"],"Topic author":["Autor tematu"],"Members only":["Tylko dla członków"],"Persistent":["Trwały"],"This groupchat persists even if it's unoccupied":["Ten pokój przetrwa nawet bez użytkowników"],"This groupchat will disappear once the last person leaves":["Ten pokój zniknie po opuszczeniu go przez ostatniego użytkownika"],"All other groupchat participants can see your XMPP username":["Wszyscy uczestnicy grupowego czatu widzą Twoją nazwę użytkownika XMPP"],"Only moderators can see your XMPP username":["Nazwa użytkownika XMPP jest widoczna tylko dla moderatorów"],"Message archiving":["Archiwizowanie wiadomości"],"Messages are archived on the server":["Wiadomości są przechowywane na serwerze"],"XMPP Username:":["Nazwa użytkownika XMPP:"],"Password:":["Hasło:"],"password":["hasło"],"This is a trusted device":["To jest zaufane urządzenie"],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":["Aby zwiększyć wydajność, w tej przeglądarce zapisujemy dane w pamięci podręcznej. Usuń zaznaczenie tego pola, jeśli jest to komputer publiczny lub jeśli chcesz, aby Twoje dane zostały usunięte po wylogowaniu. Ważne jest, aby się wylogować, w przeciwnym razie nie wszystkie dane w pamięci podręcznej zostanąusunięte."],"Click here to log in anonymously":["Kliknij tutaj aby zalogować się anonimowo"],"Save and close":["Zapisz i zamknij"],"This device's OMEMO fingerprint":["Odcisk palca OMEMO tego urządzenia"],"Select all":["Wybierz wszystkie"],"Checkbox to select fingerprints of all other OMEMO devices":["Zaznacz pole wyboru, aby wybrać odciski palców wszystkich innych urządzeń OMEMO"],"Other OMEMO-enabled devices":["Pozostałe urządzenia z funkcją OMEMO"],"Checkbox for selecting the following fingerprint":["Pole wyboru wyboru odcisków palców"],"Remove checked devices and close":["Usuń zaznaczone urządzenia i zamknij"],"Don't have a chat account?":["Nie masz konta?"],"Create an account":["Utwórz konto"],"Create your account":["Utwórz własne konto"],"Please enter the XMPP provider to register with:":["Wprowadź dostawcę XMPP, u którego chcesz się zarejestrować:"],"Already have a chat account?":["Masz już konto?"],"Log in here":["Zaloguj się"],"Account Registration:":["Rejestracja Konta:"],"Register":["Zarejestruj się"],"Choose a different provider":["Wybierz innego dostawcę"],"Hold tight, we're fetching the registration form…":["Czekaj, pobieram formularz rejestracyjny…"],"Messages are being sent in plaintext":["Wiadomości są wysyłane w postaci zwykłego tekstu"],"The User's Profile Image":["Zdjęcie profilowe użytkownika"],"OMEMO Fingerprints":["Odciski palców OMEMO"],"Trusted":["Zaufany"],"Untrusted":["Niezaufany"],"Refresh":["Odśwież"],"Download":["Pobierz"]}}} \ No newline at end of file diff --git a/locale/pl/LC_MESSAGES/converse.po b/locale/pl/LC_MESSAGES/converse.po index 4218f481b..54ad83043 100644 --- a/locale/pl/LC_MESSAGES/converse.po +++ b/locale/pl/LC_MESSAGES/converse.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 0.9.6\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-06 15:52+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-10-02 17:18+0200\n" "Last-Translator: Sneer Sneerowski \n" "Language-Team: Polish =20) ? 1 : 2;\n" "X-Generator: Weblate 3.2-dev\n" -#: dist/converse-no-dependencies.js:31817 -#: dist/converse-no-dependencies.js:31902 -#: dist/converse-no-dependencies.js:47144 +#: dist/converse-no-dependencies.js:32421 +#: dist/converse-no-dependencies.js:32506 +#: dist/converse-no-dependencies.js:48032 msgid "Bookmark this groupchat" msgstr "Zakładka do tego pokoju" -#: dist/converse-no-dependencies.js:31907 +#: dist/converse-no-dependencies.js:32507 msgid "The name for this bookmark:" msgstr "Nazwa dla tej zakładki:" -#: dist/converse-no-dependencies.js:31908 +#: dist/converse-no-dependencies.js:32508 msgid "Would you like this groupchat to be automatically joined upon startup?" msgstr "Czy chcesz automatycznie dołączać do tej grupy podczas startu ?" -#: dist/converse-no-dependencies.js:31909 +#: dist/converse-no-dependencies.js:32509 msgid "What should your nickname for this groupchat be?" msgstr "Jaki nick dla tego chatu grupowego ?" -#: dist/converse-no-dependencies.js:31911 -#: dist/converse-no-dependencies.js:41743 -#: dist/converse-no-dependencies.js:46269 +#: dist/converse-no-dependencies.js:32511 +#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:46878 msgid "Save" msgstr "Zachowaj" -#: dist/converse-no-dependencies.js:31912 -#: dist/converse-no-dependencies.js:41744 -#: dist/converse-no-dependencies.js:46265 -#: dist/converse-no-dependencies.js:52704 +#: dist/converse-no-dependencies.js:32512 +#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:46874 +#: dist/converse-no-dependencies.js:53313 msgid "Cancel" msgstr "Anuluj" -#: dist/converse-no-dependencies.js:31981 +#: dist/converse-no-dependencies.js:32585 #, javascript-format msgid "Are you sure you want to remove the bookmark \"%1$s\"?" msgstr "Czy potwierdzasz zamiar usunięcia zakładki \"%1$s\"?" -#: dist/converse-no-dependencies.js:32104 -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:44898 -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:32704 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:45498 +#: dist/converse-no-dependencies.js:46823 msgid "Error" msgstr "Błąd" -#: dist/converse-no-dependencies.js:32098 +#: dist/converse-no-dependencies.js:32704 msgid "Sorry, something went wrong while trying to save your bookmark." msgstr "Wystąpił błąd w trakcie próby zapisu zakładki." -#: dist/converse-no-dependencies.js:32187 -#: dist/converse-no-dependencies.js:47142 +#: dist/converse-no-dependencies.js:32795 +#: dist/converse-no-dependencies.js:48030 msgid "Leave this groupchat" msgstr "Opuść ten pokój" -#: dist/converse-no-dependencies.js:32196 +#: dist/converse-no-dependencies.js:32796 msgid "Remove this bookmark" msgstr "Usuń tą zakładke" -#: dist/converse-no-dependencies.js:32189 -#: dist/converse-no-dependencies.js:47143 +#: dist/converse-no-dependencies.js:32797 +#: dist/converse-no-dependencies.js:48031 msgid "Unbookmark this groupchat" msgstr "Usuń zakładkę do tego pokoju" -#: dist/converse-no-dependencies.js:32190 -#: dist/converse-no-dependencies.js:40810 -#: dist/converse-no-dependencies.js:47145 +#: dist/converse-no-dependencies.js:32798 +#: dist/converse-no-dependencies.js:41505 +#: dist/converse-no-dependencies.js:48033 msgid "Show more information on this groupchat" msgstr "Pokaż więcej informacji o pokoju" -#: dist/converse-no-dependencies.js:32193 -#: dist/converse-no-dependencies.js:40809 -#: dist/converse-no-dependencies.js:47147 +#: dist/converse-no-dependencies.js:32801 +#: dist/converse-no-dependencies.js:41504 +#: dist/converse-no-dependencies.js:48035 msgid "Click to open this groupchat" msgstr "Kliknij aby wejść do pokoju" -#: dist/converse-no-dependencies.js:32232 +#: dist/converse-no-dependencies.js:32840 msgid "Click to toggle the bookmarks list" msgstr "Kliknij aby przełączyć listę zakładek" -#: dist/converse-no-dependencies.js:32241 +#: dist/converse-no-dependencies.js:32841 msgid "Bookmarks" msgstr "Zakładki" -#: dist/converse-no-dependencies.js:32660 +#: dist/converse-no-dependencies.js:33260 msgid "Sorry, could not determine file upload URL." msgstr "Nie można określić URL do uploadu pliku." -#: dist/converse-no-dependencies.js:32668 +#: dist/converse-no-dependencies.js:33268 msgid "Sorry, could not determine upload URL." msgstr "Nie można określić URL do uploadu." -#: dist/converse-no-dependencies.js:32703 +#: dist/converse-no-dependencies.js:33303 #, javascript-format msgid "" "Sorry, could not succesfully upload your file. Your server’s response: \"%1$s" "\"" msgstr "Nie powiódł się upload pliku. Odpowiedź serwera \"%1$s\"" -#: dist/converse-no-dependencies.js:32705 +#: dist/converse-no-dependencies.js:33305 msgid "Sorry, could not succesfully upload your file." msgstr "Nie powiódł się upload pliku." -#: dist/converse-no-dependencies.js:32950 +#: dist/converse-no-dependencies.js:33550 msgid "Sorry, looks like file upload is not supported by your server." msgstr "Ups, wygląda na to, że serwer nie wspiera uploadu plików." -#: dist/converse-no-dependencies.js:32960 +#: dist/converse-no-dependencies.js:33560 #, javascript-format msgid "" "The size of your file, %1$s, exceeds the maximum allowed by your server, " @@ -134,242 +134,246 @@ msgstr "" "Rozmiar pliku, %1$s, przekracza maksymalny rozmiar obsługiwany przez serwer, " "%2$s." -#: dist/converse-no-dependencies.js:33174 +#: dist/converse-no-dependencies.js:33782 msgid "Sorry, an error occurred:" msgstr "Wystąpił błąd:" -#: dist/converse-no-dependencies.js:33860 +#: dist/converse-no-dependencies.js:34460 msgid "Close this chat box" msgstr "Zamknij okno rozmowy" -#: dist/converse-no-dependencies.js:33937 -#: dist/converse-no-dependencies.js:49200 +#: dist/converse-no-dependencies.js:34537 +#: dist/converse-no-dependencies.js:49809 msgid "Are you sure you want to remove this contact?" msgstr "Czy potwierdzasz zamiar usnunięcia tego kontaktu?" -#: dist/converse-no-dependencies.js:33938 -#: dist/converse-no-dependencies.js:48927 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:49817 #, javascript-format msgid "Sorry, there was an error while trying to remove %1$s as a contact." msgstr "Wystąpił błąd w trakcie próby usunięcia %1$s." -#: dist/converse-no-dependencies.js:34000 -#: dist/converse-no-dependencies.js:34040 +#: dist/converse-no-dependencies.js:34600 +#: dist/converse-no-dependencies.js:34640 msgid "You have unread messages" msgstr "Masz nieprzeczytane wiadomości" -#: dist/converse-no-dependencies.js:34018 +#: dist/converse-no-dependencies.js:34626 msgid "Hidden message" msgstr "Ukryta wiadomość" -#: dist/converse-no-dependencies.js:34028 +#: dist/converse-no-dependencies.js:34628 msgid "Message" msgstr "Wiadomość" -#: dist/converse-no-dependencies.js:34035 +#: dist/converse-no-dependencies.js:34635 msgid "Send" msgstr "Wyślij" -#: dist/converse-no-dependencies.js:34036 +#: dist/converse-no-dependencies.js:34636 msgid "Optional hint" msgstr "Dodatkowa wskazówka" -#: dist/converse-no-dependencies.js:34074 +#: dist/converse-no-dependencies.js:34674 msgid "Choose a file to send" msgstr "Wybierz plik do wysłania" -#: dist/converse-no-dependencies.js:34130 +#: dist/converse-no-dependencies.js:34730 #, fuzzy msgid "Click to write as a normal (non-spoiler) message" msgstr "Kliknij aby wpisać nowy status (non-spoiler)" -#: dist/converse-no-dependencies.js:34132 +#: dist/converse-no-dependencies.js:34732 #, fuzzy msgid "Click to write your message as a spoiler" msgstr "Kliknij aby wpisać nowy status (spoiler)" -#: dist/converse-no-dependencies.js:34136 +#: dist/converse-no-dependencies.js:34736 msgid "Clear all messages" msgstr "Wyczyść wszystkie wiadomości" -#: dist/converse-no-dependencies.js:34129 +#: dist/converse-no-dependencies.js:34737 msgid "Insert emojis" msgstr "Wstaw emotkę" -#: dist/converse-no-dependencies.js:34138 +#: dist/converse-no-dependencies.js:34738 msgid "Start a call" msgstr "Zadzwoń" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Remove messages" msgstr "Usuń wiadomości" -#: dist/converse-no-dependencies.js:34455 +#: dist/converse-no-dependencies.js:35055 msgid "Write in the third person" msgstr "Pisz w trzeciej osobie" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Show this menu" msgstr "Pokaż menu" -#: dist/converse-no-dependencies.js:34662 +#: dist/converse-no-dependencies.js:35276 msgid "Are you sure you want to clear the messages from this conversation?" msgstr "Potwierdź czy rzeczywiście chcesz wyczyścić wiadomości z okna rozmowy?" -#: dist/converse-no-dependencies.js:34777 +#: dist/converse-no-dependencies.js:35392 #, javascript-format msgid "%1$s has gone offline" msgstr "%1$s rozłączył się" -#: dist/converse-no-dependencies.js:34779 -#: dist/converse-no-dependencies.js:39717 +#: dist/converse-no-dependencies.js:35394 +#: dist/converse-no-dependencies.js:40405 #, javascript-format msgid "%1$s has gone away" msgstr "%1$s odszedł od klawiatury" -#: dist/converse-no-dependencies.js:34781 +#: dist/converse-no-dependencies.js:35396 #, javascript-format msgid "%1$s is busy" msgstr "%1$s jest zajęty" -#: dist/converse-no-dependencies.js:34783 +#: dist/converse-no-dependencies.js:35398 #, javascript-format msgid "%1$s is online" msgstr "%1$s jest dostępny" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "Username" msgstr "Nazwa użytkownika" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "user@domain" msgstr "użytkownik@domena" -#: dist/converse-no-dependencies.js:35446 -#: dist/converse-no-dependencies.js:48809 +#: dist/converse-no-dependencies.js:36046 +#: dist/converse-no-dependencies.js:49418 msgid "Please enter a valid XMPP address" msgstr "Wprowadź poprawny adres XMPP" -#: dist/converse-no-dependencies.js:35526 +#: dist/converse-no-dependencies.js:36145 msgid "Chat Contacts" msgstr "Kontakty" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Toggle chat" msgstr "Przełącz rozmowę" -#: dist/converse-no-dependencies.js:36182 +#: dist/converse-no-dependencies.js:36782 msgid "The connection has dropped, attempting to reconnect." msgstr "Połączenie zostało utracone, próbuję się połączyć ponownie." -#: dist/converse-no-dependencies.js:36262 +#: dist/converse-no-dependencies.js:36882 msgid "An error occurred while connecting to the chat server." msgstr "Wystąpił błąd w czasie łączenia się z serwerem." -#: dist/converse-no-dependencies.js:36289 +#: dist/converse-no-dependencies.js:36889 msgid "Your Jabber ID and/or password is incorrect. Please try again." msgstr "Twój Jabber ID i/lub hasło jest nieprawidłowe. Spróbuj ponownie." -#: dist/converse-no-dependencies.js:36301 +#: dist/converse-no-dependencies.js:36901 #, javascript-format msgid "Sorry, we could not connect to the XMPP host with domain: %1$s" msgstr "Problem z połączeniem do serwera XMPP w domenie: %1$s" -#: dist/converse-no-dependencies.js:36303 +#: dist/converse-no-dependencies.js:36903 msgid "The XMPP server did not offer a supported authentication mechanism" msgstr "Serwer XMPP nie oferuje wspieranego mechanizmu uwierzytelniania" -#: dist/converse-no-dependencies.js:39656 +#: dist/converse-no-dependencies.js:40346 msgid "Show more" msgstr "Pokaż więcej" -#: dist/converse-no-dependencies.js:39794 +#: dist/converse-no-dependencies.js:40394 msgid "Typing from another device" msgstr "Wpisywanie z innego urządzenia" -#: dist/converse-no-dependencies.js:39708 +#: dist/converse-no-dependencies.js:40396 #, javascript-format msgid "%1$s is typing" msgstr "%1$s pisze" -#: dist/converse-no-dependencies.js:39800 +#: dist/converse-no-dependencies.js:40400 msgid "Stopped typing on the other device" msgstr "Przestał pisać na innym urządzeniu" -#: dist/converse-no-dependencies.js:39714 +#: dist/converse-no-dependencies.js:40402 #, javascript-format msgid "%1$s has stopped typing" msgstr "%1$s przestał pisać" -#: dist/converse-no-dependencies.js:40055 -#: dist/converse-no-dependencies.js:40098 +#: dist/converse-no-dependencies.js:40437 +msgid "Unencryptable OMEMO message" +msgstr "" + +#: dist/converse-no-dependencies.js:40655 +#: dist/converse-no-dependencies.js:40698 msgid "Minimize this chat box" msgstr "Zmniejsz okno rozmowy" -#: dist/converse-no-dependencies.js:40231 +#: dist/converse-no-dependencies.js:40831 msgid "Click to restore this chat" msgstr "Kliknij aby powrócić do rozmowy" -#: dist/converse-no-dependencies.js:40420 +#: dist/converse-no-dependencies.js:41020 msgid "Minimized" msgstr "Zminimalizowany" -#: dist/converse-no-dependencies.js:40652 +#: dist/converse-no-dependencies.js:41347 msgid "This groupchat is not anonymous" msgstr "Ten pokój nie jest anonimowy" -#: dist/converse-no-dependencies.js:40653 +#: dist/converse-no-dependencies.js:41348 msgid "This groupchat now shows unavailable members" msgstr "Pokój pokazuje teraz niedostępnych rozmówców" -#: dist/converse-no-dependencies.js:40654 +#: dist/converse-no-dependencies.js:41349 msgid "This groupchat does not show unavailable members" msgstr "Ten pokój nie wyświetla niedostępnych członków" -#: dist/converse-no-dependencies.js:40655 +#: dist/converse-no-dependencies.js:41350 msgid "The groupchat configuration has changed" msgstr "Ustawienia pokoju zostały zmienione" -#: dist/converse-no-dependencies.js:40656 +#: dist/converse-no-dependencies.js:41351 msgid "groupchat logging is now enabled" msgstr "włączono zapisywanie rozmów w pokoju" -#: dist/converse-no-dependencies.js:40657 +#: dist/converse-no-dependencies.js:41352 msgid "groupchat logging is now disabled" msgstr "włączono zapisywanie rozmów w pokoju" -#: dist/converse-no-dependencies.js:40658 +#: dist/converse-no-dependencies.js:41353 msgid "This groupchat is now no longer anonymous" msgstr "Ten pokój nie jest już anonimowy" -#: dist/converse-no-dependencies.js:40659 +#: dist/converse-no-dependencies.js:41354 msgid "This groupchat is now semi-anonymous" msgstr "Pokój jest teraz częściowo anonimowy" -#: dist/converse-no-dependencies.js:40660 +#: dist/converse-no-dependencies.js:41355 msgid "This groupchat is now fully-anonymous" msgstr "Pokój jest teraz w pełni anonimowy" -#: dist/converse-no-dependencies.js:40661 +#: dist/converse-no-dependencies.js:41356 msgid "A new groupchat has been created" msgstr "Utworzono nowy pokój" -#: dist/converse-no-dependencies.js:40664 +#: dist/converse-no-dependencies.js:41359 msgid "You have been banned from this groupchat" msgstr "Zostałeś zablokowany w tym pokoju" -#: dist/converse-no-dependencies.js:40665 +#: dist/converse-no-dependencies.js:41360 msgid "You have been kicked from this groupchat" msgstr "Zostałeś wyrzucony z pokoju" -#: dist/converse-no-dependencies.js:40666 +#: dist/converse-no-dependencies.js:41361 msgid "" "You have been removed from this groupchat because of an affiliation change" msgstr "Zostałeś usunięty z pokoju ze względu na zmianę przynależności" -#: dist/converse-no-dependencies.js:40667 +#: dist/converse-no-dependencies.js:41362 msgid "" "You have been removed from this groupchat because the groupchat has changed " "to members-only and you're not a member" @@ -377,7 +381,7 @@ msgstr "" "Zostałeś usunięty z pokoju ze względu na to, że pokój zmienił się na " "wymagający członkowstwa, a ty nie jesteś członkiem" -#: dist/converse-no-dependencies.js:40668 +#: dist/converse-no-dependencies.js:41363 msgid "" "You have been removed from this groupchat because the service hosting it is " "being shut down" @@ -393,214 +397,249 @@ msgstr "Zostałeś usunięty z pokoju ponieważ serwis hostingowy został wyłą #. * can then at least tell gettext to scan for it so that these #. * strings are picked up by the translation machinery. #. -#: dist/converse-no-dependencies.js:40681 +#: dist/converse-no-dependencies.js:41376 #, javascript-format msgid "%1$s has been banned" msgstr "%1$s został zbanowany" -#: dist/converse-no-dependencies.js:40682 +#: dist/converse-no-dependencies.js:41377 #, javascript-format msgid "%1$s's nickname has changed" msgstr "%1$s zmienił ksywkę" -#: dist/converse-no-dependencies.js:40683 +#: dist/converse-no-dependencies.js:41378 #, javascript-format msgid "%1$s has been kicked out" msgstr "%1$s został wykopany" -#: dist/converse-no-dependencies.js:40684 +#: dist/converse-no-dependencies.js:41379 #, javascript-format msgid "%1$s has been removed because of an affiliation change" msgstr "%1$s został usunięty z powodu zmiany przynależności" -#: dist/converse-no-dependencies.js:40685 +#: dist/converse-no-dependencies.js:41380 #, javascript-format msgid "%1$s has been removed for not being a member" msgstr "%1$s został usunięty z powodu braku członkostwa" -#: dist/converse-no-dependencies.js:40688 +#: dist/converse-no-dependencies.js:41383 #, javascript-format msgid "Your nickname has been automatically set to %1$s" msgstr "Twoja ksywka została automatycznie zmieniona na: %1$s" -#: dist/converse-no-dependencies.js:40689 +#: dist/converse-no-dependencies.js:41384 #, javascript-format msgid "Your nickname has been changed to %1$s" msgstr "Twoja ksywka została zmieniona na: %1$s" -#: dist/converse-no-dependencies.js:40815 +#: dist/converse-no-dependencies.js:41415 msgid "Description:" msgstr "Opis:" -#: dist/converse-no-dependencies.js:40721 +#: dist/converse-no-dependencies.js:41416 msgid "Groupchat Address (JID):" msgstr "Nazwa pokoju (JID):" -#: dist/converse-no-dependencies.js:40722 +#: dist/converse-no-dependencies.js:41417 msgid "Participants:" msgstr "Uczestnicy:" -#: dist/converse-no-dependencies.js:40818 +#: dist/converse-no-dependencies.js:41418 msgid "Features:" msgstr "Właściwości:" -#: dist/converse-no-dependencies.js:40819 +#: dist/converse-no-dependencies.js:41419 msgid "Requires authentication" msgstr "Wymaga uwierzytelnienia" -#: dist/converse-no-dependencies.js:40820 -#: dist/converse-no-dependencies.js:51007 -#: dist/converse-no-dependencies.js:51163 +#: dist/converse-no-dependencies.js:41420 +#: dist/converse-no-dependencies.js:51616 +#: dist/converse-no-dependencies.js:51772 msgid "Hidden" msgstr "Ukryty" -#: dist/converse-no-dependencies.js:40821 +#: dist/converse-no-dependencies.js:41421 msgid "Requires an invitation" msgstr "Wymaga zaproszenia" -#: dist/converse-no-dependencies.js:40822 -#: dist/converse-no-dependencies.js:51071 -#: dist/converse-no-dependencies.js:51227 +#: dist/converse-no-dependencies.js:41422 +#: dist/converse-no-dependencies.js:51680 +#: dist/converse-no-dependencies.js:51836 msgid "Moderated" msgstr "Moderowany" -#: dist/converse-no-dependencies.js:40823 +#: dist/converse-no-dependencies.js:41423 msgid "Non-anonymous" msgstr "Nieanonimowy" -#: dist/converse-no-dependencies.js:40824 -#: dist/converse-no-dependencies.js:51031 -#: dist/converse-no-dependencies.js:51187 +#: dist/converse-no-dependencies.js:41424 +#: dist/converse-no-dependencies.js:51640 +#: dist/converse-no-dependencies.js:51796 #, fuzzy msgid "Open" msgstr "Otwarty pokój" -#: dist/converse-no-dependencies.js:40825 +#: dist/converse-no-dependencies.js:41425 #, fuzzy msgid "Permanent" msgstr "Stały pokój" -#: dist/converse-no-dependencies.js:40826 -#: dist/converse-no-dependencies.js:51015 -#: dist/converse-no-dependencies.js:51171 +#: dist/converse-no-dependencies.js:41426 +#: dist/converse-no-dependencies.js:51624 +#: dist/converse-no-dependencies.js:51780 msgid "Public" msgstr "Publiczny" -#: dist/converse-no-dependencies.js:40827 -#: dist/converse-no-dependencies.js:51063 -#: dist/converse-no-dependencies.js:51219 +#: dist/converse-no-dependencies.js:41427 +#: dist/converse-no-dependencies.js:51672 +#: dist/converse-no-dependencies.js:51828 msgid "Semi-anonymous" msgstr "Częściowo anonimowy" -#: dist/converse-no-dependencies.js:40733 -#: dist/converse-no-dependencies.js:50766 -#: dist/converse-no-dependencies.js:50922 +#: dist/converse-no-dependencies.js:41428 +#: dist/converse-no-dependencies.js:51656 +#: dist/converse-no-dependencies.js:51812 msgid "Temporary" msgstr "Pokój tymczasowy" -#: dist/converse-no-dependencies.js:40829 +#: dist/converse-no-dependencies.js:41429 msgid "Unmoderated" msgstr "Niemoderowany" -#: dist/converse-no-dependencies.js:40770 +#: dist/converse-no-dependencies.js:41465 msgid "Query for Groupchats" msgstr "Wyszukaj pokoje" -#: dist/converse-no-dependencies.js:40866 +#: dist/converse-no-dependencies.js:41466 #, fuzzy msgid "Server address" msgstr "Adres serwera" -#: dist/converse-no-dependencies.js:40772 +#: dist/converse-no-dependencies.js:41467 msgid "Show groupchats" msgstr "Pokaż pokoje" -#: dist/converse-no-dependencies.js:40773 +#: dist/converse-no-dependencies.js:41468 msgid "conference.example.org" msgstr "conference.domena.pl" -#: dist/converse-no-dependencies.js:40822 +#: dist/converse-no-dependencies.js:41517 msgid "No groupchats found" msgstr "Nie znaleziono pokojów" -#: dist/converse-no-dependencies.js:40839 +#: dist/converse-no-dependencies.js:41534 msgid "Groupchats found:" msgstr "Znalezione pokoje:" -#: dist/converse-no-dependencies.js:40984 +#: dist/converse-no-dependencies.js:41584 #, fuzzy msgid "Enter a new Groupchat" msgstr "Wejdź do pokoju" -#: dist/converse-no-dependencies.js:40985 +#: dist/converse-no-dependencies.js:41585 #, fuzzy msgid "Groupchat address" msgstr "Nazwa pokoju" -#: dist/converse-no-dependencies.js:40986 -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:41586 +#: dist/converse-no-dependencies.js:49410 msgid "Optional nickname" msgstr "Opcjonalny nick" -#: dist/converse-no-dependencies.js:40987 +#: dist/converse-no-dependencies.js:41587 msgid "name@conference.example.org" msgstr "nazwa@konferencja.domena.pl" -#: dist/converse-no-dependencies.js:40895 +#: dist/converse-no-dependencies.js:41588 msgid "Join" msgstr "Dołącz" -#: dist/converse-no-dependencies.js:40944 +#: dist/converse-no-dependencies.js:41636 #, javascript-format msgid "Groupchat info for %1$s" msgstr "Informacje o o pokoju %1$s" -#: dist/converse-no-dependencies.js:41118 +#: dist/converse-no-dependencies.js:41812 +#, fuzzy, javascript-format +msgid "%1$s is no longer an admin of this groupchat" +msgstr "%1$s wszedł i wyszedł z pokoju" + +#: dist/converse-no-dependencies.js:41814 +#, fuzzy, javascript-format +msgid "%1$s is no longer an owner of this groupchat" +msgstr "Uczyń właścicielem pokoju" + +#: dist/converse-no-dependencies.js:41816 +#, fuzzy, javascript-format +msgid "%1$s is no longer banned from this groupchat" +msgstr "Zostałeś zablokowany w tym pokoju" + +#: dist/converse-no-dependencies.js:41820 +#, fuzzy, javascript-format +msgid "%1$s is no longer a permanent member of this groupchat" +msgstr "Nie jesteś członkiem tego pokoju rozmów." + +#: dist/converse-no-dependencies.js:41824 +#, fuzzy, javascript-format +msgid "%1$s is now a permanent member of this groupchat" +msgstr "Nie jesteś członkiem tego pokoju rozmów." + +#: dist/converse-no-dependencies.js:41826 +#, fuzzy, javascript-format +msgid "%1$s has been banned from this groupchat" +msgstr "Zostałeś zablokowany w tym pokoju" + +#: dist/converse-no-dependencies.js:41828 +#, fuzzy, javascript-format +msgid "%1$s is now an " +msgstr "%1$s został moderatorem" + +#: dist/converse-no-dependencies.js:41835 #, javascript-format msgid "%1$s is no longer a moderator" msgstr "%1$s nie jest już moderatorem" -#: dist/converse-no-dependencies.js:41122 +#: dist/converse-no-dependencies.js:41839 #, javascript-format msgid "%1$s has been given a voice again" msgstr "%1$s ponownie otrzymał głos" -#: dist/converse-no-dependencies.js:41126 +#: dist/converse-no-dependencies.js:41843 #, javascript-format msgid "%1$s has been muted" msgstr "%1$s został wyciszony" -#: dist/converse-no-dependencies.js:41130 +#: dist/converse-no-dependencies.js:41847 #, javascript-format msgid "%1$s is now a moderator" msgstr "%1$s został moderatorem" -#: dist/converse-no-dependencies.js:41138 +#: dist/converse-no-dependencies.js:41855 msgid "Close and leave this groupchat" msgstr "Opuść ten pokój" -#: dist/converse-no-dependencies.js:41139 +#: dist/converse-no-dependencies.js:41856 msgid "Configure this groupchat" msgstr "Skonfiguruj ten pokój" -#: dist/converse-no-dependencies.js:41140 +#: dist/converse-no-dependencies.js:41857 msgid "Show more details about this groupchat" msgstr "Pokaż więcej informacji o pokoju" -#: dist/converse-no-dependencies.js:41180 +#: dist/converse-no-dependencies.js:41897 msgid "Hide the list of participants" msgstr "Ukryj listę rozmówców" -#: dist/converse-no-dependencies.js:41413 +#: dist/converse-no-dependencies.js:42013 msgid "Forbidden: you do not have the necessary role in order to do that." msgstr "Zabronione: nie masz do tego wystarczających uprawnień." -#: dist/converse-no-dependencies.js:41425 +#: dist/converse-no-dependencies.js:42025 msgid "" "Forbidden: you do not have the necessary affiliation in order to do that." msgstr "Zabronione: nie masz dostępu ze względu na brak przynależności.." -#: dist/converse-no-dependencies.js:41436 +#: dist/converse-no-dependencies.js:42036 #, javascript-format msgid "" "Error: the \"%1$s\" command takes two arguments, the user's nickname and " @@ -609,12 +648,12 @@ msgstr "" "Błąd: polecenie \"%1$s\" przyjmuje dwa argumenty: pseudonim i opcjonalnie " "powód." -#: dist/converse-no-dependencies.js:41445 +#: dist/converse-no-dependencies.js:42045 #, fuzzy, javascript-format msgid "Error: couldn't find a groupchat participant \"%1$s\"" msgstr "Błąd: Nie można znaleźć uczestnika czatu grupowego o pseudonimie \"" -#: dist/converse-no-dependencies.js:41454 +#: dist/converse-no-dependencies.js:42054 msgid "" "Sorry, an error happened while running the command. Check your browser's " "developer console for details." @@ -622,262 +661,262 @@ msgstr "" "Ups, podczas wykonywania polecenia wystąpił błąd. Szczegółowe informacje " "można znaleźć w konsoli deweloperskiej przeglądarki." -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user's affiliation to admin" msgstr "Przyznaj prawa administratora" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Ban user from groupchat" msgstr "Zablokuj użytkownikowi dostępu do pokoju" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Change user role to participant" msgstr "Zmień uprawnienia na zwykłego uczestnika" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Kick user from groupchat" msgstr "Wykop z pokoju" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Write in 3rd person" msgstr "Pisz w trzeciej osobie" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant membership to a user" msgstr "Przyznaj członkowstwo" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Remove user's ability to post messages" msgstr "Zablokuj człowiekowi możliwość rozmowy" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change your nickname" msgstr "Zmień ksywkę" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant moderator role to user" msgstr "Przyznaj prawa moderatora" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Grant ownership of this groupchat" msgstr "Uczyń właścicielem pokoju" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Register a nickname for this room" msgstr "Nazwa dla tej zakładki:" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Revoke user's membership" msgstr "Usuń z listy członków" -#: dist/converse-no-dependencies.js:41386 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject" msgstr "Ustaw temat pokoju" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Set groupchat subject (alias for /subject)" msgstr "Ustaw temat rozmowy (alias dla /subject)" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Allow muted user to post messages" msgstr "Pozwól uciszonemu człowiekowi na rozmowę" -#: dist/converse-no-dependencies.js:41416 -msgid "Error: Can't find a groupchat participant with the nickname \"" -msgstr "Błąd: Nie można znaleźć uczestnika czatu grupowego o pseudonimie \"" +#: dist/converse-no-dependencies.js:42198 +msgid "Error: invalid number of arguments" +msgstr "" -#: dist/converse-no-dependencies.js:41848 +#: dist/converse-no-dependencies.js:42448 msgid "" "The nickname you chose is reserved or currently in use, please choose a " "different one." msgstr "" "Ksywka jaką wybrałeś jest zarezerwowana albo w użyciu, wybierz proszę inną." -#: dist/converse-no-dependencies.js:41874 +#: dist/converse-no-dependencies.js:42474 msgid "Please choose your nickname" msgstr "Wybierz proszę ksywkę" -#: dist/converse-no-dependencies.js:41875 -#: dist/converse-no-dependencies.js:46177 -#: dist/converse-no-dependencies.js:53489 +#: dist/converse-no-dependencies.js:42475 +#: dist/converse-no-dependencies.js:46786 +#: dist/converse-no-dependencies.js:54098 msgid "Nickname" msgstr "Ksywka" -#: dist/converse-no-dependencies.js:41759 +#: dist/converse-no-dependencies.js:42476 msgid "Enter groupchat" msgstr "Wejdź do pokoju" -#: dist/converse-no-dependencies.js:41780 +#: dist/converse-no-dependencies.js:42497 msgid "This groupchat requires a password" msgstr "Wstęp do pokoju wymaga podania hasła" -#: dist/converse-no-dependencies.js:41898 +#: dist/converse-no-dependencies.js:42498 msgid "Password: " msgstr "Hasło: " -#: dist/converse-no-dependencies.js:41899 +#: dist/converse-no-dependencies.js:42499 msgid "Submit" msgstr "Wyślij" -#: dist/converse-no-dependencies.js:41904 +#: dist/converse-no-dependencies.js:42621 #, javascript-format msgid "This action was done by %1$s." msgstr "Ta akcja została wykonana przez %1$s." -#: dist/converse-no-dependencies.js:41908 -#: dist/converse-no-dependencies.js:41926 +#: dist/converse-no-dependencies.js:42625 +#: dist/converse-no-dependencies.js:42643 #, javascript-format msgid "The reason given is: \"%1$s\"." msgstr "Podana przyczyna to: \"%1$s\"." -#: dist/converse-no-dependencies.js:41958 +#: dist/converse-no-dependencies.js:42675 #, javascript-format msgid "%1$s has left and re-entered the groupchat" msgstr "%1$s opuścił i ponownie wszedł do pokoju" -#: dist/converse-no-dependencies.js:41971 +#: dist/converse-no-dependencies.js:42688 #, javascript-format msgid "%1$s has entered the groupchat" msgstr "%1$s wszedł do pokoju" -#: dist/converse-no-dependencies.js:41973 +#: dist/converse-no-dependencies.js:42690 #, javascript-format msgid "%1$s has entered the groupchat. \"%2$s\"" msgstr "%1$s wszedł do pokoju \"%2$s\"" -#: dist/converse-no-dependencies.js:42004 +#: dist/converse-no-dependencies.js:42725 #, javascript-format msgid "%1$s has entered and left the groupchat" msgstr "%1$s wszedł i wyszedł z pokoju" -#: dist/converse-no-dependencies.js:42006 +#: dist/converse-no-dependencies.js:42727 #, javascript-format msgid "%1$s has entered and left the groupchat. \"%2$s\"" msgstr "%1$s wszedł i wyszedł z pokoju. \"%2$s\"" -#: dist/converse-no-dependencies.js:42026 +#: dist/converse-no-dependencies.js:42747 #, javascript-format msgid "%1$s has left the groupchat" msgstr "%1$s opuścił pokój" -#: dist/converse-no-dependencies.js:42028 +#: dist/converse-no-dependencies.js:42749 #, javascript-format msgid "%1$s has left the groupchat. \"%2$s\"" msgstr "%1$s opuścił pokój. \"%2$s\"" -#: dist/converse-no-dependencies.js:42075 +#: dist/converse-no-dependencies.js:42796 msgid "You are not on the member list of this groupchat." msgstr "Nie jesteś członkiem tego pokoju rozmów." -#: dist/converse-no-dependencies.js:42077 +#: dist/converse-no-dependencies.js:42798 msgid "You have been banned from this groupchat." msgstr "Zostałeś zablokowany w tym pokoju." -#: dist/converse-no-dependencies.js:42081 +#: dist/converse-no-dependencies.js:42802 msgid "No nickname was specified." msgstr "Nie podałeś ksywki." -#: dist/converse-no-dependencies.js:42085 +#: dist/converse-no-dependencies.js:42806 msgid "You are not allowed to create new groupchats." msgstr "Nie masz uprawnień do tworzenia nowych pokojów rozmów." -#: dist/converse-no-dependencies.js:42087 +#: dist/converse-no-dependencies.js:42808 msgid "Your nickname doesn't conform to this groupchat's policies." msgstr "Twoja ksywka nie jest zgodna z regulaminem pokoju." -#: dist/converse-no-dependencies.js:42091 +#: dist/converse-no-dependencies.js:42812 msgid "This groupchat does not (yet) exist." msgstr "Ten pokój (jeszcze) nie istnieje." -#: dist/converse-no-dependencies.js:42093 +#: dist/converse-no-dependencies.js:42814 msgid "This groupchat has reached its maximum number of participants." msgstr "Pokój przekroczył dozwoloną ilość rozmówców." -#: dist/converse-no-dependencies.js:42216 +#: dist/converse-no-dependencies.js:42816 msgid "Remote server not found" msgstr "Nie znaleziono serwera" -#: dist/converse-no-dependencies.js:42100 +#: dist/converse-no-dependencies.js:42821 #, javascript-format msgid "The explanation given is: \"%1$s\"." msgstr "Podana przyczyna to: \"%1$s\"." -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, fuzzy, javascript-format msgid "Topic set by %1$s" msgstr "Temat ustawiony przez %1$s na: %2$s" -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, fuzzy, javascript-format msgid "Topic cleared by %1$s" msgstr "Temat ustawiony przez %1$s na: %2$s" -#: dist/converse-no-dependencies.js:42303 +#: dist/converse-no-dependencies.js:42903 #, fuzzy msgid "Groupchats" msgstr "Grupy" -#: dist/converse-no-dependencies.js:42304 +#: dist/converse-no-dependencies.js:42904 #, fuzzy msgid "Add a new groupchat" msgstr "Wejdź do pokoju" -#: dist/converse-no-dependencies.js:42305 +#: dist/converse-no-dependencies.js:42905 #, fuzzy msgid "Query for groupchats" msgstr "Zablokuj dostępu do pokoju" -#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:42943 #, fuzzy, javascript-format msgid "Click to mention %1$s in your message." msgstr "Kliknij aby wspomnieć człowieka w wiadomości." -#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:42944 msgid "This user is a moderator." msgstr "Ten użytkownik jest moderatorem." -#: dist/converse-no-dependencies.js:42345 +#: dist/converse-no-dependencies.js:42945 #, fuzzy msgid "This user can send messages in this groupchat." msgstr "Ten człowiek może rozmawiać w niejszym pokoju" -#: dist/converse-no-dependencies.js:42346 +#: dist/converse-no-dependencies.js:42946 #, fuzzy msgid "This user can NOT send messages in this groupchat." msgstr "Ten człowiek NIE może rozmawiać w niniejszym pokoju" -#: dist/converse-no-dependencies.js:42347 +#: dist/converse-no-dependencies.js:42947 #, fuzzy msgid "Moderator" msgstr "Moderowany" -#: dist/converse-no-dependencies.js:42348 +#: dist/converse-no-dependencies.js:42948 msgid "Visitor" msgstr "Gość" -#: dist/converse-no-dependencies.js:42349 +#: dist/converse-no-dependencies.js:42949 msgid "Owner" msgstr "Właściciel" -#: dist/converse-no-dependencies.js:42350 +#: dist/converse-no-dependencies.js:42950 msgid "Member" msgstr "Członek" -#: dist/converse-no-dependencies.js:42351 +#: dist/converse-no-dependencies.js:42951 msgid "Admin" msgstr "Administrator" -#: dist/converse-no-dependencies.js:42393 +#: dist/converse-no-dependencies.js:42993 msgid "Participants" msgstr "Uczestnicy" -#: dist/converse-no-dependencies.js:42410 -#: dist/converse-no-dependencies.js:42491 +#: dist/converse-no-dependencies.js:43010 +#: dist/converse-no-dependencies.js:43091 msgid "Invite" msgstr "Zaproś" -#: dist/converse-no-dependencies.js:42468 +#: dist/converse-no-dependencies.js:43068 #, fuzzy, javascript-format msgid "" "You are about to invite %1$s to the groupchat \"%2$s\". You may optionally " @@ -886,106 +925,106 @@ msgstr "" "Masz opcjonalną możliwość dołączenia wiadomości, która wyjaśni przyczynę " "zaproszenia." -#: dist/converse-no-dependencies.js:42490 +#: dist/converse-no-dependencies.js:43090 msgid "Please enter a valid XMPP username" msgstr "Wprowadź poprawną nazwę użytkownika XMPP" -#: dist/converse-no-dependencies.js:43621 +#: dist/converse-no-dependencies.js:44221 #, fuzzy msgid "You're not allowed to register yourself in this groupchat." msgstr "Nie masz uprawnień do tworzenia nowych pokojów rozmów" -#: dist/converse-no-dependencies.js:43623 +#: dist/converse-no-dependencies.js:44223 #, fuzzy msgid "" "You're not allowed to register in this groupchat because it's members-only." msgstr "Nie masz uprawnień do tworzenia nowych pokojów rozmów" -#: dist/converse-no-dependencies.js:43656 +#: dist/converse-no-dependencies.js:44256 msgid "" "Can't register your nickname in this groupchat, it doesn't support " "registration." msgstr "" -#: dist/converse-no-dependencies.js:43658 +#: dist/converse-no-dependencies.js:44258 msgid "" "Can't register your nickname in this groupchat, invalid data form supplied." msgstr "" -#: dist/converse-no-dependencies.js:44118 +#: dist/converse-no-dependencies.js:44718 #, fuzzy, javascript-format msgid "%1$s has invited you to join a groupchat: %2$s" msgstr "%1$s zaprosił(a) cię do wejścia do pokoju rozmów %2$s" -#: dist/converse-no-dependencies.js:44120 +#: dist/converse-no-dependencies.js:44720 #, fuzzy, javascript-format msgid "" "%1$s has invited you to join a groupchat: %2$s, and left the following " "reason: \"%3$s\"" msgstr "%1$s zaprosił cię do pokoju: %2$s, podając następujący powód: \"%3$s\"" -#: dist/converse-no-dependencies.js:44209 +#: dist/converse-no-dependencies.js:44809 #, fuzzy msgid "Error: the groupchat " msgstr "Wejdź do pokoju" -#: dist/converse-no-dependencies.js:44211 +#: dist/converse-no-dependencies.js:44811 #, fuzzy msgid "Sorry, you're not allowed to registerd in this groupchat" msgstr "Nie masz uprawnień do tworzenia nowych pokojów rozmów" #. workaround for Prosody which doesn't give type "headline" -#: dist/converse-no-dependencies.js:44596 -#: dist/converse-no-dependencies.js:44602 +#: dist/converse-no-dependencies.js:45196 +#: dist/converse-no-dependencies.js:45202 #, javascript-format msgid "Notification from %1$s" msgstr "Powiadomienie od %1$s" -#: dist/converse-no-dependencies.js:44604 -#: dist/converse-no-dependencies.js:44615 -#: dist/converse-no-dependencies.js:44618 +#: dist/converse-no-dependencies.js:45204 +#: dist/converse-no-dependencies.js:45215 +#: dist/converse-no-dependencies.js:45218 #, javascript-format msgid "%1$s says" msgstr "%1$s powiedział" #. TODO: we should suppress notifications if we cannot decrypt #. the message... -#: dist/converse-no-dependencies.js:44627 +#: dist/converse-no-dependencies.js:45227 #, fuzzy msgid "OMEMO Message received" msgstr "Archiwizowanie wiadomości" -#: dist/converse-no-dependencies.js:44654 +#: dist/converse-no-dependencies.js:45254 msgid "has gone offline" msgstr "wyłączył się" -#: dist/converse-no-dependencies.js:44656 +#: dist/converse-no-dependencies.js:45256 msgid "has gone away" msgstr "uciekł" -#: dist/converse-no-dependencies.js:44658 +#: dist/converse-no-dependencies.js:45258 msgid "is busy" msgstr "zajęty" -#: dist/converse-no-dependencies.js:44660 +#: dist/converse-no-dependencies.js:45260 msgid "has come online" msgstr "połączył się" -#: dist/converse-no-dependencies.js:44677 +#: dist/converse-no-dependencies.js:45277 msgid "wants to be your contact" msgstr "chce być twoim kontaktem" -#: dist/converse-no-dependencies.js:44898 +#: dist/converse-no-dependencies.js:45498 #, fuzzy msgid "Sorry, an error occurred while trying to remove the devices." msgstr "Wystąpił błąd w czasie próby zachowania formularza." -#: dist/converse-no-dependencies.js:45021 +#: dist/converse-no-dependencies.js:45630 msgid "Sorry, could not decrypt a received OMEMO message due to an error." msgstr "" "Ups, problem z odszyfrowaniem odebranego komunikatu OMEMO z powodu błędu." -#: dist/converse-no-dependencies.js:45172 +#: dist/converse-no-dependencies.js:45781 msgid "" "This is an OMEMO encrypted message which your client doesn’t seem to " "support. Find more information on https://conversations.im/omemo" @@ -993,48 +1032,48 @@ msgstr "" "To jest zaszyfrowana wiadomość OMEMO, której twój klient nie obsługuje. " "Więcej informacji na stronie https://conversations.im/omemo" -#: dist/converse-no-dependencies.js:45233 +#: dist/converse-no-dependencies.js:45842 msgid "Sorry, could not send the message due to an error." msgstr "Przepraszamy, z powodu błędu nie udało się wysłać wiadomości." -#: dist/converse-no-dependencies.js:46171 +#: dist/converse-no-dependencies.js:46780 msgid "Your avatar image" msgstr "Twój awatar" -#: dist/converse-no-dependencies.js:46172 +#: dist/converse-no-dependencies.js:46781 msgid "Your Profile" msgstr "Twój profil" -#: dist/converse-no-dependencies.js:45925 -#: dist/converse-no-dependencies.js:46015 -#: dist/converse-no-dependencies.js:50812 -#: dist/converse-no-dependencies.js:51977 -#: dist/converse-no-dependencies.js:53180 -#: dist/converse-no-dependencies.js:53300 +#: dist/converse-no-dependencies.js:46782 +#: dist/converse-no-dependencies.js:46872 +#: dist/converse-no-dependencies.js:51702 +#: dist/converse-no-dependencies.js:52869 +#: dist/converse-no-dependencies.js:54072 +#: dist/converse-no-dependencies.js:54192 msgid "Close" msgstr "Zamknij" -#: dist/converse-no-dependencies.js:46174 -#: dist/converse-no-dependencies.js:53507 +#: dist/converse-no-dependencies.js:46783 +#: dist/converse-no-dependencies.js:54116 msgid "Email" msgstr "E-mail" -#: dist/converse-no-dependencies.js:46175 -#: dist/converse-no-dependencies.js:53477 +#: dist/converse-no-dependencies.js:46784 +#: dist/converse-no-dependencies.js:54086 #, fuzzy msgid "Full Name" msgstr "Nazwa" -#: dist/converse-no-dependencies.js:46176 +#: dist/converse-no-dependencies.js:46785 msgid "XMPP Address (JID)" msgstr "Adres XMPP (JID)" -#: dist/converse-no-dependencies.js:46178 -#: dist/converse-no-dependencies.js:53517 +#: dist/converse-no-dependencies.js:46787 +#: dist/converse-no-dependencies.js:54126 msgid "Role" msgstr "Rola" -#: dist/converse-no-dependencies.js:46179 +#: dist/converse-no-dependencies.js:46788 msgid "" "Use commas to separate multiple roles. Your roles are shown next to your " "name on your chat messages." @@ -1042,127 +1081,127 @@ msgstr "" "Użyj przecinków, aby rozdzielić wiele ról. Twoje role są wyświetlane obok " "Twojego imienia i nazwiska w wiadomościach czatu." -#: dist/converse-no-dependencies.js:46180 -#: dist/converse-no-dependencies.js:53497 +#: dist/converse-no-dependencies.js:46789 +#: dist/converse-no-dependencies.js:54106 msgid "URL" msgstr "Adres URL" -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 #, fuzzy msgid "Sorry, an error happened while trying to save your profile data." msgstr "Wystąpił błąd w trakcie próby usunięcia " -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 msgid "You can check your browser's developer console for any error output." msgstr "Możesz sprawdzić konsolę dewelopera przeglądarki pod kątem błędów." -#: dist/converse-no-dependencies.js:46262 -#: dist/converse-no-dependencies.js:48927 +#: dist/converse-no-dependencies.js:46871 +#: dist/converse-no-dependencies.js:49536 msgid "Away" msgstr "Nieobecny" -#: dist/converse-no-dependencies.js:46264 -#: dist/converse-no-dependencies.js:48926 +#: dist/converse-no-dependencies.js:46873 +#: dist/converse-no-dependencies.js:49535 msgid "Busy" msgstr "Zajęty" -#: dist/converse-no-dependencies.js:46266 +#: dist/converse-no-dependencies.js:46875 msgid "Custom status" msgstr "Własny status" -#: dist/converse-no-dependencies.js:46267 -#: dist/converse-no-dependencies.js:48929 +#: dist/converse-no-dependencies.js:46876 +#: dist/converse-no-dependencies.js:49538 msgid "Offline" msgstr "Rozłączony" -#: dist/converse-no-dependencies.js:46268 -#: dist/converse-no-dependencies.js:48924 +#: dist/converse-no-dependencies.js:46877 +#: dist/converse-no-dependencies.js:49533 msgid "Online" msgstr "Dostępny" -#: dist/converse-no-dependencies.js:46270 +#: dist/converse-no-dependencies.js:46879 #, fuzzy msgid "Away for long" msgstr "dłużej nieobecny" -#: dist/converse-no-dependencies.js:46271 +#: dist/converse-no-dependencies.js:46880 #, fuzzy msgid "Change chat status" msgstr "Kliknij aby zmienić status rozmowy" -#: dist/converse-no-dependencies.js:46272 +#: dist/converse-no-dependencies.js:46881 #, fuzzy msgid "Personal status message" msgstr "Wiadomość osobista" -#: dist/converse-no-dependencies.js:46317 +#: dist/converse-no-dependencies.js:46926 #, javascript-format msgid "I am %1$s" msgstr "Jestem %1$s" -#: dist/converse-no-dependencies.js:46320 +#: dist/converse-no-dependencies.js:46929 msgid "Change settings" msgstr "Zmiana ustawień" -#: dist/converse-no-dependencies.js:46321 +#: dist/converse-no-dependencies.js:46930 msgid "Click to change your chat status" msgstr "Kliknij aby zmienić status rozmowy" -#: dist/converse-no-dependencies.js:46322 +#: dist/converse-no-dependencies.js:46931 msgid "Log out" msgstr "Wyloguj się" -#: dist/converse-no-dependencies.js:46323 +#: dist/converse-no-dependencies.js:46932 msgid "Your profile" msgstr "Twój profil" -#: dist/converse-no-dependencies.js:46349 +#: dist/converse-no-dependencies.js:46958 #, fuzzy msgid "Are you sure you want to log out?" msgstr "Czy potwierdzasz zamiar usnunięcia tego kontaktu?" -#: dist/converse-no-dependencies.js:46357 -#: dist/converse-no-dependencies.js:46367 +#: dist/converse-no-dependencies.js:46966 +#: dist/converse-no-dependencies.js:46976 msgid "online" msgstr "dostępny" -#: dist/converse-no-dependencies.js:46359 +#: dist/converse-no-dependencies.js:46968 msgid "busy" msgstr "zajęty" -#: dist/converse-no-dependencies.js:46361 +#: dist/converse-no-dependencies.js:46970 msgid "away for long" msgstr "dłużej nieobecny" -#: dist/converse-no-dependencies.js:46363 +#: dist/converse-no-dependencies.js:46972 msgid "away" msgstr "nieobecny" -#: dist/converse-no-dependencies.js:46365 +#: dist/converse-no-dependencies.js:46974 msgid "offline" msgstr "rozłączony" -#: dist/converse-no-dependencies.js:46698 +#: dist/converse-no-dependencies.js:47307 msgid " e.g. conversejs.org" msgstr " np. conversejs.org" -#: dist/converse-no-dependencies.js:46745 +#: dist/converse-no-dependencies.js:47354 msgid "Fetch registration form" msgstr "Pobierz formularz rejestracyjny" -#: dist/converse-no-dependencies.js:46746 +#: dist/converse-no-dependencies.js:47355 msgid "Tip: A list of public XMPP providers is available" msgstr "Wskazówka: dostępna jest lista publicznych dostawców XMPP" -#: dist/converse-no-dependencies.js:46747 +#: dist/converse-no-dependencies.js:47356 msgid "here" msgstr "tutaj" -#: dist/converse-no-dependencies.js:46795 +#: dist/converse-no-dependencies.js:47404 msgid "Sorry, we're unable to connect to your chosen provider." msgstr "Wystąpił problem z nawiązaniem połączenia się z wybranym dostawcą." -#: dist/converse-no-dependencies.js:46811 +#: dist/converse-no-dependencies.js:47420 msgid "" "Sorry, the given provider does not support in band account registration. " "Please try with a different provider." @@ -1170,7 +1209,7 @@ msgstr "" "Przepraszamy, ale podany dostawca nie obsługuje rejestracji. Spróbuj wskazać " "innego dostawcę." -#: dist/converse-no-dependencies.js:46835 +#: dist/converse-no-dependencies.js:47444 #, fuzzy, javascript-format msgid "" "Something went wrong while establishing a connection with \"%1$s\". Are you " @@ -1179,15 +1218,15 @@ msgstr "" "Coś nie zadziałało przy próbie połączenia z \"%1$s\". Jesteś pewien że " "istnieje?" -#: dist/converse-no-dependencies.js:46998 +#: dist/converse-no-dependencies.js:47607 msgid "Now logging you in" msgstr "Jesteś logowany" -#: dist/converse-no-dependencies.js:47002 +#: dist/converse-no-dependencies.js:47611 msgid "Registered successfully" msgstr "Szczęśliwie zarejestrowany" -#: dist/converse-no-dependencies.js:47111 +#: dist/converse-no-dependencies.js:47720 msgid "" "The provider rejected your registration attempt. Please check the values you " "entered for correctness." @@ -1195,337 +1234,337 @@ msgstr "" "Dostawca odrzucił twoją próbę rejestracji. Sprawdź proszę poprawność danych " "które zostały wprowadzone." -#: dist/converse-no-dependencies.js:47486 +#: dist/converse-no-dependencies.js:48095 #, fuzzy msgid "Click to toggle the list of open groupchats" msgstr "Kliknij aby wejść do pokoju" -#: dist/converse-no-dependencies.js:47487 +#: dist/converse-no-dependencies.js:48096 msgid "Open Groupchats" msgstr "Otwórz pokoje" -#: dist/converse-no-dependencies.js:47531 +#: dist/converse-no-dependencies.js:48140 #, fuzzy, javascript-format msgid "Are you sure you want to leave the groupchat %1$s?" msgstr "Czy potwierdzasz zamiar usnunięcia tego kontaktu?" -#: dist/converse-no-dependencies.js:47878 +#: dist/converse-no-dependencies.js:48766 #, javascript-format msgid "Sorry, there was an error while trying to add %1$s as a contact." msgstr "Wystąpił błąd podczas próby dodania %1$s do listy kontaktów." -#: dist/converse-no-dependencies.js:48368 +#: dist/converse-no-dependencies.js:48977 msgid "This client does not allow presence subscriptions" msgstr "Klient nie umożliwia subskrybcji obecności" -#: dist/converse-no-dependencies.js:48478 +#: dist/converse-no-dependencies.js:49087 msgid "Click to hide these contacts" msgstr "Kliknij aby schować te kontakty" -#: dist/converse-no-dependencies.js:48742 +#: dist/converse-no-dependencies.js:49351 msgid "This contact is busy" msgstr "Kontakt jest zajęty" -#: dist/converse-no-dependencies.js:48743 +#: dist/converse-no-dependencies.js:49352 msgid "This contact is online" msgstr "Kontakt jest połączony" -#: dist/converse-no-dependencies.js:48744 +#: dist/converse-no-dependencies.js:49353 msgid "This contact is offline" msgstr "Kontakt jest niepołączony" -#: dist/converse-no-dependencies.js:48745 +#: dist/converse-no-dependencies.js:49354 msgid "This contact is unavailable" msgstr "Kontakt jest niedostępny" -#: dist/converse-no-dependencies.js:48746 +#: dist/converse-no-dependencies.js:49355 msgid "This contact is away for an extended period" msgstr "Kontakt jest nieobecny przez dłuższą chwilę" -#: dist/converse-no-dependencies.js:48747 +#: dist/converse-no-dependencies.js:49356 msgid "This contact is away" msgstr "Kontakt jest nieobecny" -#: dist/converse-no-dependencies.js:48750 +#: dist/converse-no-dependencies.js:49359 msgid "Groups" msgstr "Grupy" -#: dist/converse-no-dependencies.js:48752 +#: dist/converse-no-dependencies.js:49361 msgid "My contacts" msgstr "Moje kontakty" -#: dist/converse-no-dependencies.js:48754 +#: dist/converse-no-dependencies.js:49363 msgid "Pending contacts" msgstr "Kontakty oczekujące" -#: dist/converse-no-dependencies.js:48756 +#: dist/converse-no-dependencies.js:49365 msgid "Contact requests" msgstr "Zaproszenia do kontaktu" -#: dist/converse-no-dependencies.js:48758 +#: dist/converse-no-dependencies.js:49367 msgid "Ungrouped" msgstr "Niezgrupowane" -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:49410 msgid "Contact name" msgstr "Nazwa kontaktu" -#: dist/converse-no-dependencies.js:48804 +#: dist/converse-no-dependencies.js:49413 #, fuzzy msgid "Add a Contact" msgstr "Dodaj kontakt" -#: dist/converse-no-dependencies.js:48805 -#: dist/converse-no-dependencies.js:53483 +#: dist/converse-no-dependencies.js:49414 +#: dist/converse-no-dependencies.js:54092 msgid "XMPP Address" msgstr "Adres XMPP" -#: dist/converse-no-dependencies.js:48807 +#: dist/converse-no-dependencies.js:49416 #, fuzzy msgid "name@example.org" msgstr "np. użytkownik@przykładowa-domena.pl" -#: dist/converse-no-dependencies.js:48808 +#: dist/converse-no-dependencies.js:49417 msgid "Add" msgstr "Dodaj" -#: dist/converse-no-dependencies.js:48918 +#: dist/converse-no-dependencies.js:49527 msgid "Filter" msgstr "Filtr" -#: dist/converse-no-dependencies.js:48919 +#: dist/converse-no-dependencies.js:49528 #, fuzzy msgid "Filter by contact name" msgstr "Nazwa kontaktu" -#: dist/converse-no-dependencies.js:48920 +#: dist/converse-no-dependencies.js:49529 msgid "Filter by group name" msgstr "Filtruj według nazwy grupy" -#: dist/converse-no-dependencies.js:48921 +#: dist/converse-no-dependencies.js:49530 msgid "Filter by status" msgstr "Filtruj według stanu" -#: dist/converse-no-dependencies.js:48922 +#: dist/converse-no-dependencies.js:49531 msgid "Any" msgstr "Dowolny" -#: dist/converse-no-dependencies.js:48923 +#: dist/converse-no-dependencies.js:49532 msgid "Unread" msgstr "Nieprzeczytane" -#: dist/converse-no-dependencies.js:48925 +#: dist/converse-no-dependencies.js:49534 msgid "Chatty" msgstr "Gotowy do rozmowy" -#: dist/converse-no-dependencies.js:48928 +#: dist/converse-no-dependencies.js:49537 msgid "Extended Away" msgstr "Dłuższa nieobecność" -#: dist/converse-no-dependencies.js:49097 -#: dist/converse-no-dependencies.js:49154 +#: dist/converse-no-dependencies.js:49706 +#: dist/converse-no-dependencies.js:49763 #, fuzzy, javascript-format msgid "Click to remove %1$s as a contact" msgstr "Kliknij aby usunąć kontakt" -#: dist/converse-no-dependencies.js:48825 +#: dist/converse-no-dependencies.js:49715 #, javascript-format msgid "Click to accept the contact request from %1$s" msgstr "Kliknij aby zaakceptować prośbę o nawiązanie kontaktu od %1$s" -#: dist/converse-no-dependencies.js:49107 +#: dist/converse-no-dependencies.js:49716 #, fuzzy, javascript-format msgid "Click to decline the contact request from %1$s" msgstr "Kliknij aby odrzucić życzenie nawiązania kontaktu" -#: dist/converse-no-dependencies.js:49153 +#: dist/converse-no-dependencies.js:49762 #, fuzzy, javascript-format msgid "Click to chat with %1$s (JID: %2$s)" msgstr "Kliknij aby porozmawiać z kontaktem" -#: dist/converse-no-dependencies.js:49230 +#: dist/converse-no-dependencies.js:49839 msgid "Are you sure you want to decline this contact request?" msgstr "Czy potwierdzasz odrzucenie chęci nawiązania kontaktu?" -#: dist/converse-no-dependencies.js:49499 +#: dist/converse-no-dependencies.js:50108 msgid "Contacts" msgstr "Kontakty" -#: dist/converse-no-dependencies.js:49500 +#: dist/converse-no-dependencies.js:50109 msgid "Add a contact" msgstr "Dodaj kontakt" -#: dist/converse-no-dependencies.js:50959 +#: dist/converse-no-dependencies.js:51568 #, fuzzy msgid "Name" msgstr "Nazwa" -#: dist/converse-no-dependencies.js:50963 +#: dist/converse-no-dependencies.js:51572 #, fuzzy msgid "Groupchat address (JID)" msgstr "Nazwa pokoju" -#: dist/converse-no-dependencies.js:50967 +#: dist/converse-no-dependencies.js:51576 #, fuzzy msgid "Description" msgstr "Opis:" -#: dist/converse-no-dependencies.js:50973 +#: dist/converse-no-dependencies.js:51582 msgid "Topic" msgstr "Temat" -#: dist/converse-no-dependencies.js:50977 +#: dist/converse-no-dependencies.js:51586 msgid "Topic author" msgstr "Autor tematu" -#: dist/converse-no-dependencies.js:50983 +#: dist/converse-no-dependencies.js:51592 #, fuzzy msgid "Online users" msgstr "Dostępny" -#: dist/converse-no-dependencies.js:50987 -#: dist/converse-no-dependencies.js:51139 +#: dist/converse-no-dependencies.js:51596 +#: dist/converse-no-dependencies.js:51748 #, fuzzy msgid "Features" msgstr "Możliwości:" -#: dist/converse-no-dependencies.js:50991 -#: dist/converse-no-dependencies.js:51147 +#: dist/converse-no-dependencies.js:51600 +#: dist/converse-no-dependencies.js:51756 #, fuzzy msgid "Password protected" msgstr "Hasło:" -#: dist/converse-no-dependencies.js:50993 -#: dist/converse-no-dependencies.js:51145 +#: dist/converse-no-dependencies.js:51602 +#: dist/converse-no-dependencies.js:51754 #, fuzzy msgid "This groupchat requires a password before entry" msgstr "Pokój rozmów wymaga podania hasła" -#: dist/converse-no-dependencies.js:50999 +#: dist/converse-no-dependencies.js:51608 #, fuzzy msgid "No password required" msgstr "hasło" -#: dist/converse-no-dependencies.js:51001 -#: dist/converse-no-dependencies.js:51153 +#: dist/converse-no-dependencies.js:51610 +#: dist/converse-no-dependencies.js:51762 #, fuzzy msgid "This groupchat does not require a password upon entry" msgstr "Pokój rozmów wymaga podania hasła" -#: dist/converse-no-dependencies.js:51009 -#: dist/converse-no-dependencies.js:51161 +#: dist/converse-no-dependencies.js:51618 +#: dist/converse-no-dependencies.js:51770 #, fuzzy msgid "This groupchat is not publicly searchable" msgstr "Pokój nie jest anonimowy" -#: dist/converse-no-dependencies.js:51017 -#: dist/converse-no-dependencies.js:51169 +#: dist/converse-no-dependencies.js:51626 +#: dist/converse-no-dependencies.js:51778 #, fuzzy msgid "This groupchat is publicly searchable" msgstr "Pokój nie jest anonimowy" -#: dist/converse-no-dependencies.js:51023 -#: dist/converse-no-dependencies.js:51179 +#: dist/converse-no-dependencies.js:51632 +#: dist/converse-no-dependencies.js:51788 msgid "Members only" msgstr "Tylko dla członków" -#: dist/converse-no-dependencies.js:51025 +#: dist/converse-no-dependencies.js:51634 #, fuzzy msgid "This groupchat is restricted to members only" msgstr "Pokój przekroczył dozwoloną ilość rozmówców" -#: dist/converse-no-dependencies.js:51033 -#: dist/converse-no-dependencies.js:51185 +#: dist/converse-no-dependencies.js:51642 +#: dist/converse-no-dependencies.js:51794 #, fuzzy msgid "Anyone can join this groupchat" msgstr "Kliknij aby wejść do pokoju" -#: dist/converse-no-dependencies.js:51039 -#: dist/converse-no-dependencies.js:51195 +#: dist/converse-no-dependencies.js:51648 +#: dist/converse-no-dependencies.js:51804 msgid "Persistent" msgstr "Trwały" -#: dist/converse-no-dependencies.js:51041 -#: dist/converse-no-dependencies.js:51193 +#: dist/converse-no-dependencies.js:51650 +#: dist/converse-no-dependencies.js:51802 msgid "This groupchat persists even if it's unoccupied" msgstr "Ten pokój przetrwa nawet bez użytkowników" -#: dist/converse-no-dependencies.js:51049 -#: dist/converse-no-dependencies.js:51201 +#: dist/converse-no-dependencies.js:51658 +#: dist/converse-no-dependencies.js:51810 msgid "This groupchat will disappear once the last person leaves" msgstr "Ten pokój zniknie po opuszczeniu go przez ostatniego użytkownika" -#: dist/converse-no-dependencies.js:51055 -#: dist/converse-no-dependencies.js:51211 +#: dist/converse-no-dependencies.js:51664 +#: dist/converse-no-dependencies.js:51820 #, fuzzy msgid "Not anonymous" msgstr "Nieanonimowy" -#: dist/converse-no-dependencies.js:51057 -#: dist/converse-no-dependencies.js:51209 +#: dist/converse-no-dependencies.js:51666 +#: dist/converse-no-dependencies.js:51818 msgid "All other groupchat participants can see your XMPP username" msgstr "Wszyscy uczestnicy grupowego czatu widzą Twoją nazwę użytkownika XMPP" -#: dist/converse-no-dependencies.js:51065 -#: dist/converse-no-dependencies.js:51217 +#: dist/converse-no-dependencies.js:51674 +#: dist/converse-no-dependencies.js:51826 msgid "Only moderators can see your XMPP username" msgstr "Nazwa użytkownika XMPP jest widoczna tylko dla moderatorów" -#: dist/converse-no-dependencies.js:51073 -#: dist/converse-no-dependencies.js:51225 +#: dist/converse-no-dependencies.js:51682 +#: dist/converse-no-dependencies.js:51834 #, fuzzy msgid "This groupchat is being moderated" msgstr "Ten człowiek jest moderatorem" -#: dist/converse-no-dependencies.js:51079 -#: dist/converse-no-dependencies.js:51235 +#: dist/converse-no-dependencies.js:51688 +#: dist/converse-no-dependencies.js:51844 #, fuzzy msgid "Not moderated" msgstr "Niemoderowany" -#: dist/converse-no-dependencies.js:51081 -#: dist/converse-no-dependencies.js:51233 +#: dist/converse-no-dependencies.js:51690 +#: dist/converse-no-dependencies.js:51842 #, fuzzy msgid "This groupchat is not being moderated" msgstr "Pokój nie jest anonimowy" -#: dist/converse-no-dependencies.js:51087 -#: dist/converse-no-dependencies.js:51243 +#: dist/converse-no-dependencies.js:51696 +#: dist/converse-no-dependencies.js:51852 msgid "Message archiving" msgstr "Archiwizowanie wiadomości" -#: dist/converse-no-dependencies.js:51089 -#: dist/converse-no-dependencies.js:51241 +#: dist/converse-no-dependencies.js:51698 +#: dist/converse-no-dependencies.js:51850 msgid "Messages are archived on the server" msgstr "Wiadomości są przechowywane na serwerze" -#: dist/converse-no-dependencies.js:51155 +#: dist/converse-no-dependencies.js:51764 #, fuzzy msgid "No password" msgstr "hasło" -#: dist/converse-no-dependencies.js:51177 +#: dist/converse-no-dependencies.js:51786 #, fuzzy msgid "this groupchat is restricted to members only" msgstr "Pokój przekroczył dozwoloną ilość rozmówców" -#: dist/converse-no-dependencies.js:52082 +#: dist/converse-no-dependencies.js:52691 msgid "XMPP Username:" msgstr "Nazwa użytkownika XMPP:" -#: dist/converse-no-dependencies.js:52088 +#: dist/converse-no-dependencies.js:52697 msgid "Password:" msgstr "Hasło:" -#: dist/converse-no-dependencies.js:52090 +#: dist/converse-no-dependencies.js:52699 msgid "password" msgstr "hasło" -#: dist/converse-no-dependencies.js:52098 +#: dist/converse-no-dependencies.js:52707 msgid "This is a trusted device" msgstr "To jest zaufane urządzenie" -#: dist/converse-no-dependencies.js:52100 +#: dist/converse-no-dependencies.js:52709 msgid "" "To improve performance, we cache your data in this browser. Uncheck this box " "if this is a public computer or if you want your data to be deleted when you " @@ -1538,153 +1577,162 @@ msgstr "" "aby się wylogować, w przeciwnym razie nie wszystkie dane w pamięci " "podręcznej zostanąusunięte." -#: dist/converse-no-dependencies.js:52102 +#: dist/converse-no-dependencies.js:52711 #, fuzzy msgid "Log in" msgstr "Zaloguj się" -#: dist/converse-no-dependencies.js:52108 +#: dist/converse-no-dependencies.js:52717 msgid "Click here to log in anonymously" msgstr "Kliknij tutaj aby zalogować się anonimowo" -#: dist/converse-no-dependencies.js:52197 +#: dist/converse-no-dependencies.js:52806 #, fuzzy msgid "This message has been edited" msgstr "Ten człowiek jest moderatorem" -#: dist/converse-no-dependencies.js:52223 +#: dist/converse-no-dependencies.js:52832 #, fuzzy msgid "Edit this message" msgstr "Pokaż menu" -#: dist/converse-no-dependencies.js:52248 +#: dist/converse-no-dependencies.js:52857 #, fuzzy msgid "Message versions" msgstr "Wiadomość" -#: dist/converse-no-dependencies.js:52473 +#: dist/converse-no-dependencies.js:53082 msgid "Save and close" msgstr "Zapisz i zamknij" -#: dist/converse-no-dependencies.js:52477 +#: dist/converse-no-dependencies.js:53086 msgid "This device's OMEMO fingerprint" msgstr "Odcisk palca OMEMO tego urządzenia" -#: dist/converse-no-dependencies.js:52489 +#: dist/converse-no-dependencies.js:53098 msgid "Select all" msgstr "Wybierz wszystkie" -#: dist/converse-no-dependencies.js:52491 +#: dist/converse-no-dependencies.js:53100 msgid "Checkbox to select fingerprints of all other OMEMO devices" msgstr "" "Zaznacz pole wyboru, aby wybrać odciski palców wszystkich innych urządzeń " "OMEMO" -#: dist/converse-no-dependencies.js:52493 +#: dist/converse-no-dependencies.js:53102 msgid "Other OMEMO-enabled devices" msgstr "Pozostałe urządzenia z funkcją OMEMO" -#: dist/converse-no-dependencies.js:52501 -#: dist/converse-no-dependencies.js:52509 +#: dist/converse-no-dependencies.js:53110 +#: dist/converse-no-dependencies.js:53118 msgid "Checkbox for selecting the following fingerprint" msgstr "Pole wyboru wyboru odcisków palców" -#: dist/converse-no-dependencies.js:52511 +#: dist/converse-no-dependencies.js:53120 #, fuzzy msgid "Device without a fingerprint" msgstr "Zweryfikuj za pomocą odcisków palców" -#: dist/converse-no-dependencies.js:52517 +#: dist/converse-no-dependencies.js:53126 msgid "Remove checked devices and close" msgstr "Usuń zaznaczone urządzenia i zamknij" -#: dist/converse-no-dependencies.js:52599 +#: dist/converse-no-dependencies.js:53208 msgid "Don't have a chat account?" msgstr "Nie masz konta?" -#: dist/converse-no-dependencies.js:52601 +#: dist/converse-no-dependencies.js:53210 msgid "Create an account" msgstr "Utwórz konto" -#: dist/converse-no-dependencies.js:52339 +#: dist/converse-no-dependencies.js:53231 msgid "Create your account" msgstr "Utwórz własne konto" -#: dist/converse-no-dependencies.js:52624 +#: dist/converse-no-dependencies.js:53233 msgid "Please enter the XMPP provider to register with:" msgstr "Wprowadź dostawcę XMPP, u którego chcesz się zarejestrować:" -#: dist/converse-no-dependencies.js:52644 +#: dist/converse-no-dependencies.js:53253 msgid "Already have a chat account?" msgstr "Masz już konto?" -#: dist/converse-no-dependencies.js:52646 +#: dist/converse-no-dependencies.js:53255 msgid "Log in here" msgstr "Zaloguj się" -#: dist/converse-no-dependencies.js:52667 +#: dist/converse-no-dependencies.js:53276 msgid "Account Registration:" msgstr "Rejestracja Konta:" -#: dist/converse-no-dependencies.js:52675 +#: dist/converse-no-dependencies.js:53284 msgid "Register" msgstr "Zarejestruj się" -#: dist/converse-no-dependencies.js:52679 +#: dist/converse-no-dependencies.js:53288 msgid "Choose a different provider" msgstr "Wybierz innego dostawcę" -#: dist/converse-no-dependencies.js:52700 +#: dist/converse-no-dependencies.js:53309 msgid "Hold tight, we're fetching the registration form…" msgstr "Czekaj, pobieram formularz rejestracyjny…" -#: dist/converse-no-dependencies.js:53415 +#: dist/converse-no-dependencies.js:54024 msgid "Messages are being sent in plaintext" msgstr "Wiadomości są wysyłane w postaci zwykłego tekstu" -#: dist/converse-no-dependencies.js:53467 +#: dist/converse-no-dependencies.js:54076 msgid "The User's Profile Image" msgstr "Zdjęcie profilowe użytkownika" -#: dist/converse-no-dependencies.js:53525 +#: dist/converse-no-dependencies.js:54134 msgid "OMEMO Fingerprints" msgstr "Odciski palców OMEMO" -#: dist/converse-no-dependencies.js:53549 +#: dist/converse-no-dependencies.js:54158 msgid "Trusted" msgstr "Zaufany" -#: dist/converse-no-dependencies.js:53563 +#: dist/converse-no-dependencies.js:54172 msgid "Untrusted" msgstr "Niezaufany" -#: dist/converse-no-dependencies.js:53577 +#: dist/converse-no-dependencies.js:54186 #, fuzzy msgid "Remove as contact" msgstr "Dodaj kontakt" -#: dist/converse-no-dependencies.js:53581 +#: dist/converse-no-dependencies.js:54190 msgid "Refresh" msgstr "Odśwież" -#: dist/converse-no-dependencies.js:53950 -#: dist/converse-no-dependencies.js:53981 +#: dist/converse-no-dependencies.js:54559 msgid "Download" msgstr "Pobierz" -#: dist/converse-no-dependencies.js:53970 -#, javascript-format -msgid "Download \"%1$s\"" +#: dist/converse-no-dependencies.js:54579 +#, fuzzy, javascript-format +msgid "Download file \"%1$s\"" msgstr "Pobierz \"%1$s\"" -#: dist/converse-no-dependencies.js:53994 -msgid "Download video file" +#: dist/converse-no-dependencies.js:54591 +#, fuzzy, javascript-format +msgid "Download image \"%1$s\"" +msgstr "Pobierz \"%1$s\"" + +#: dist/converse-no-dependencies.js:54604 +#, fuzzy, javascript-format +msgid "Download video file \"%1$s\"" msgstr "Pobierz plik wideo" -#: dist/converse-no-dependencies.js:54007 -msgid "Download audio file" +#: dist/converse-no-dependencies.js:54617 +#, fuzzy, javascript-format +msgid "Download audio file \"%1$s\"" msgstr "Pobierz plik audio" +#~ msgid "Error: Can't find a groupchat participant with the nickname \"" +#~ msgstr "Błąd: Nie można znaleźć uczestnika czatu grupowego o pseudonimie \"" + #~ msgid "Personal message" #~ msgstr "Wiadomość osobista" diff --git a/locale/pt_BR/LC_MESSAGES/converse.json b/locale/pt_BR/LC_MESSAGES/converse.json index 484c7054d..7f65771e2 100644 --- a/locale/pt_BR/LC_MESSAGES/converse.json +++ b/locale/pt_BR/LC_MESSAGES/converse.json @@ -1 +1 @@ -{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n > 1;","lang":"pt_BR"},"The name for this bookmark:":["Nome para o favorito:"],"Save":["Salvar"],"Cancel":["Cancelar"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Tem certeza de que deseja remover o favorito \"%1$s\"?"],"Error":["Erro"],"Sorry, something went wrong while trying to save your bookmark.":["Desculpe, algo deu errado ao tentar salvar seu favorito."],"Remove this bookmark":["Remover o favorito"],"Click to toggle the bookmarks list":["Clique para alternar a lista de favoritos"],"Bookmarks":["Favoritos"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":["Feche esta caixa de bate-papo"],"Are you sure you want to remove this contact?":["Tem certeza de que deseja remover esse contato?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Desculpe, houve um erro ao tentar remover o contato %1$s ."],"You have unread messages":["Você tem mensagens não lidas"],"Message":["Mensagem"],"Send":["Enviar"],"Optional hint":[""],"Choose a file to send":[""],"Clear all messages":["Limpar todas as mensagens"],"Start a call":["Iniciar chamada"],"Remove messages":["Remover mensagens"],"Write in the third person":["Escrever em terceira pessoa"],"Show this menu":["Mostrar o menu"],"Username":["Usuário"],"user@domain":["usuário@domínio"],"Please enter a valid XMPP address":["Por favor entre com um endereço XMPP válido"],"Toggle chat":["Alternar bate-papo"],"The connection has dropped, attempting to reconnect.":["A conexão caiu, tentando se reconectar."],"An error occurred while connecting to the chat server.":["Ocorreu um erro ao se conectar ao servidor de bate-papo."],"Your Jabber ID and/or password is incorrect. Please try again.":["Seu ID XMPP e/ou senha estão incorretas. Por favor, tente novamente."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Desculpe, não conseguimos nos conectar ao host XMPP com domínio: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["O servidor XMPP não ofereceu um mecanismo de autenticação suportado"],"Typing from another device":["Escrevendo de outro dispositivo"],"Stopped typing on the other device":["Parou de digitar no outro dispositivo"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Minimizar o bate papo"],"Click to restore this chat":["Clique para restaurar este bate-papo"],"Minimized":["Minimizado"],"%1$s has been banned":["%1$s foi banido"],"%1$s's nickname has changed":["O apelido de %1$s foi alterado"],"%1$s has been kicked out":["%1$s foi expulso"],"%1$s has been removed because of an affiliation change":["%1$s foi removido por causa de troca de associação"],"%1$s has been removed for not being a member":["%1$s foi removido por não ser mais um membro"],"Your nickname has been automatically set to %1$s":["Seu apelido foi mudado automaticamente para %1$s"],"Your nickname has been changed to %1$s":["Seu apelido foi mudado para %1$s"],"Description:":["Descrição:"],"Features:":["Recursos:"],"Requires authentication":["Requer autenticação"],"Hidden":["Escondido"],"Requires an invitation":["Requer um convite"],"Moderated":["Moderado"],"Non-anonymous":["Não anônimo"],"Open":["Sala aberta"],"Public":["Público"],"Semi-anonymous":["Semi anônimo"],"Temporary":["Temporário"],"Unmoderated":["Sem moderação"],"Optional nickname":[""],"name@conference.example.org":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Erro: O comando \"%1$s\" precisa de dois argumentos, o apelido e opcionalmente a razão."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":["Mudar o usuário para administrador"],"Change user role to participant":["Alterar a função do usuário para o participante"],"Write in 3rd person":["Escrever em terceira pessoa"],"Grant membership to a user":["Subscrever como usuário membro"],"Remove user's ability to post messages":["Remover a habilidade do usuário de postar mensagens"],"Change your nickname":["Escolha seu apelido"],"Grant moderator role to user":["Transformar usuário em moderador"],"Revoke user's membership":["Revogar a associação do usuário"],"Allow muted user to post messages":["Permitir que o usuário mudo publique mensagens"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["O apelido escolhido está atualmente em uso, por favor escolha outro."],"Please choose your nickname":["Por favor escolha seu apelido"],"Nickname":["Apelido"],"Password: ":["Senha: "],"Submit":["Enviar"],"This action was done by %1$s.":["Essa ação foi realizada para %1$s ."],"The reason given is: \"%1$s\".":["A razão dada é: \"%1$s\"."],"No nickname was specified.":["Você não escolheu um apelido ."],"Remote server not found":[""],"Click to mention %1$s in your message.":["Clique para mencionar %1$s em sua mensagem."],"This user is a moderator.":["Esse usuário é o moderador."],"Visitor":[""],"Owner":[""],"Admin":[""],"Participants":[""],"Invite":["convite"],"Please enter a valid XMPP username":["Por favor entre com usuário XMPP válido"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Mensagem de %1$s"],"%1$s says":["%1$s diz"],"has gone offline":["ficou offline"],"has gone away":["Este contato saiu"],"is busy":["ocupado"],"has come online":["Ficou on-line"],"wants to be your contact":["Quer ser seu contato"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Ausente"],"Busy":["Ocupado"],"Custom status":["Status customizado"],"Offline":["Offline"],"Online":["Online"],"I am %1$s":["Estou %1$s"],"Change settings":[""],"Click to change your chat status":["Clique para mudar seu status no chat"],"Log out":["Sair"],"Your profile":[""],"online":["online"],"busy":["ocupado"],"away for long":["ausente a bastante tempo"],"away":["ausente"],"offline":["offline"]," e.g. conversejs.org":[" ex. conversejs.org"],"Fetch registration form":["Inserir formulário de inscrição"],"Tip: A list of public XMPP providers is available":["Dica: uma lista de provedores XMPP públicos está disponível"],"here":["aqui"],"Sorry, we're unable to connect to your chosen provider.":["Desculpe, não podemos conectar ao provedor escolhido."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Desculpe, o provedor fornecido não oferece suporte de banda para registro da conta. Experimente com um provedor diferente."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Algo deu errado ao estabelecer uma conexão com \"%1$s\". Você tem certeza que ele existe?"],"Now logging you in":["Agora você logou"],"Registered successfully":["Registrado com sucesso"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["O provedor rejeitou sua tentativa de registro. Verifique os valores que você digitou para verificar a exatidão."],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["Desculpe, houve um erro ao tentar adicionar %1$s como um contato."],"This client does not allow presence subscriptions":["Este cliente não permite assinaturas de presença"],"Click to hide these contacts":["Clique para esconder esses contatos"],"This contact is busy":["Este contato está ocupado"],"This contact is online":["Este contato está online"],"This contact is offline":["Este contato está offline"],"This contact is unavailable":["Este contato está indisponível"],"This contact is away for an extended period":["Este contato está ausente por um longo período"],"This contact is away":["Este contato está ausente"],"Groups":["Grupos"],"My contacts":["Meus contatos"],"Pending contacts":["Contados pendentes"],"Contact requests":["Solicitação de contatos"],"Ungrouped":["Desagrupado"],"Contact name":["Nome do contato"],"XMPP Address":[""],"Add":["Adicionar"],"Filter":["Filtro"],"Filter by group name":[""],"Filter by status":[""],"Any":["Qualquer"],"Unread":["Não lido"],"Chatty":["Conversar"],"Extended Away":["Ausência Longa"],"Click to remove %1$s as a contact":["Clique para remover %1$s como contato"],"Click to accept the contact request from %1$s":["Clique para aceitar a solicitação de contato de %1$s"],"Click to decline the contact request from %1$s":["Clique para recusar a solicitação de contato de %1$s"],"Are you sure you want to decline this contact request?":["Tem certeza de que deseja recusar essa solicitação de contato?"],"Contacts":["Contatos"],"Add a contact":["Adicionar contato"],"Topic":[""],"Topic author":[""],"Features":["Recursos"],"Password protected":["Protegido por senha"],"Members only":["Apenas membros"],"Persistent":["Persistente"],"Only moderators can see your XMPP username":["Apenas moderadores podem ver seu usuário XMPP"],"Message archiving":["Arquivando mensagem"],"Messages are archived on the server":["As mensagens são arquivadas no servidor"],"No password":["Sem senha"],"Password:":["Senha:"],"password":["senha"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["Clique aqui para efetuar o login anonimamente"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Não possui uma conta de bate papo?"],"Create an account":["Criando uma conta"],"Create your account":["Criar sua conta"],"Please enter the XMPP provider to register with:":["Por favor entre com o provedor XMPP para registro:"],"Already have a chat account?":["Já possui uma conta de bate-papo?"],"Log in here":["Login aqui"],"Account Registration:":["Registro de Conta:"],"Register":["Registro"],"Choose a different provider":["Escolha um provedor diferente"],"Hold tight, we're fetching the registration form…":["Espere, estamos carregando o formulário de inscrição …"],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":["Baixar"],"Download video file":["Baixar arquivo de vídeo"],"Download audio file":["Baixar arquivo de audio"]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n > 1;","lang":"pt_BR"},"The name for this bookmark:":["Nome para o favorito:"],"Save":["Salvar"],"Cancel":["Cancelar"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Tem certeza de que deseja remover o favorito \"%1$s\"?"],"Error":["Erro"],"Sorry, something went wrong while trying to save your bookmark.":["Desculpe, algo deu errado ao tentar salvar seu favorito."],"Remove this bookmark":["Remover o favorito"],"Click to toggle the bookmarks list":["Clique para alternar a lista de favoritos"],"Bookmarks":["Favoritos"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":["Feche esta caixa de bate-papo"],"Are you sure you want to remove this contact?":["Tem certeza de que deseja remover esse contato?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Desculpe, houve um erro ao tentar remover o contato %1$s ."],"You have unread messages":["Você tem mensagens não lidas"],"Message":["Mensagem"],"Send":["Enviar"],"Optional hint":[""],"Choose a file to send":[""],"Clear all messages":["Limpar todas as mensagens"],"Start a call":["Iniciar chamada"],"Remove messages":["Remover mensagens"],"Write in the third person":["Escrever em terceira pessoa"],"Show this menu":["Mostrar o menu"],"Username":["Usuário"],"user@domain":["usuário@domínio"],"Please enter a valid XMPP address":["Por favor entre com um endereço XMPP válido"],"Toggle chat":["Alternar bate-papo"],"The connection has dropped, attempting to reconnect.":["A conexão caiu, tentando se reconectar."],"An error occurred while connecting to the chat server.":["Ocorreu um erro ao se conectar ao servidor de bate-papo."],"Your Jabber ID and/or password is incorrect. Please try again.":["Seu ID XMPP e/ou senha estão incorretas. Por favor, tente novamente."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Desculpe, não conseguimos nos conectar ao host XMPP com domínio: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["O servidor XMPP não ofereceu um mecanismo de autenticação suportado"],"Typing from another device":["Escrevendo de outro dispositivo"],"Stopped typing on the other device":["Parou de digitar no outro dispositivo"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Minimizar o bate papo"],"Click to restore this chat":["Clique para restaurar este bate-papo"],"Minimized":["Minimizado"],"%1$s has been banned":["%1$s foi banido"],"%1$s's nickname has changed":["O apelido de %1$s foi alterado"],"%1$s has been kicked out":["%1$s foi expulso"],"%1$s has been removed because of an affiliation change":["%1$s foi removido por causa de troca de associação"],"%1$s has been removed for not being a member":["%1$s foi removido por não ser mais um membro"],"Your nickname has been automatically set to %1$s":["Seu apelido foi mudado automaticamente para %1$s"],"Your nickname has been changed to %1$s":["Seu apelido foi mudado para %1$s"],"Description:":["Descrição:"],"Features:":["Recursos:"],"Requires authentication":["Requer autenticação"],"Hidden":["Escondido"],"Requires an invitation":["Requer um convite"],"Moderated":["Moderado"],"Non-anonymous":["Não anônimo"],"Open":["Sala aberta"],"Public":["Público"],"Semi-anonymous":["Semi anônimo"],"Temporary":["Temporário"],"Unmoderated":["Sem moderação"],"Optional nickname":[""],"name@conference.example.org":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Erro: O comando \"%1$s\" precisa de dois argumentos, o apelido e opcionalmente a razão."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":["Mudar o usuário para administrador"],"Change user role to participant":["Alterar a função do usuário para o participante"],"Write in 3rd person":["Escrever em terceira pessoa"],"Grant membership to a user":["Subscrever como usuário membro"],"Remove user's ability to post messages":["Remover a habilidade do usuário de postar mensagens"],"Change your nickname":["Escolha seu apelido"],"Grant moderator role to user":["Transformar usuário em moderador"],"Revoke user's membership":["Revogar a associação do usuário"],"Allow muted user to post messages":["Permitir que o usuário mudo publique mensagens"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["O apelido escolhido está atualmente em uso, por favor escolha outro."],"Please choose your nickname":["Por favor escolha seu apelido"],"Nickname":["Apelido"],"Password: ":["Senha: "],"Submit":["Enviar"],"This action was done by %1$s.":["Essa ação foi realizada para %1$s ."],"The reason given is: \"%1$s\".":["A razão dada é: \"%1$s\"."],"No nickname was specified.":["Você não escolheu um apelido ."],"Remote server not found":[""],"Click to mention %1$s in your message.":["Clique para mencionar %1$s em sua mensagem."],"This user is a moderator.":["Esse usuário é o moderador."],"Visitor":[""],"Owner":[""],"Admin":[""],"Participants":[""],"Invite":["convite"],"Please enter a valid XMPP username":["Por favor entre com usuário XMPP válido"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Mensagem de %1$s"],"%1$s says":["%1$s diz"],"has gone offline":["ficou offline"],"has gone away":["Este contato saiu"],"is busy":["ocupado"],"has come online":["Ficou on-line"],"wants to be your contact":["Quer ser seu contato"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Ausente"],"Busy":["Ocupado"],"Custom status":["Status customizado"],"Offline":["Offline"],"Online":["Online"],"I am %1$s":["Estou %1$s"],"Change settings":[""],"Click to change your chat status":["Clique para mudar seu status no chat"],"Log out":["Sair"],"Your profile":[""],"online":["online"],"busy":["ocupado"],"away for long":["ausente a bastante tempo"],"away":["ausente"],"offline":["offline"]," e.g. conversejs.org":[" ex. conversejs.org"],"Fetch registration form":["Inserir formulário de inscrição"],"Tip: A list of public XMPP providers is available":["Dica: uma lista de provedores XMPP públicos está disponível"],"here":["aqui"],"Sorry, we're unable to connect to your chosen provider.":["Desculpe, não podemos conectar ao provedor escolhido."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Desculpe, o provedor fornecido não oferece suporte de banda para registro da conta. Experimente com um provedor diferente."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Algo deu errado ao estabelecer uma conexão com \"%1$s\". Você tem certeza que ele existe?"],"Now logging you in":["Agora você logou"],"Registered successfully":["Registrado com sucesso"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["O provedor rejeitou sua tentativa de registro. Verifique os valores que você digitou para verificar a exatidão."],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["Desculpe, houve um erro ao tentar adicionar %1$s como um contato."],"This client does not allow presence subscriptions":["Este cliente não permite assinaturas de presença"],"Click to hide these contacts":["Clique para esconder esses contatos"],"This contact is busy":["Este contato está ocupado"],"This contact is online":["Este contato está online"],"This contact is offline":["Este contato está offline"],"This contact is unavailable":["Este contato está indisponível"],"This contact is away for an extended period":["Este contato está ausente por um longo período"],"This contact is away":["Este contato está ausente"],"Groups":["Grupos"],"My contacts":["Meus contatos"],"Pending contacts":["Contados pendentes"],"Contact requests":["Solicitação de contatos"],"Ungrouped":["Desagrupado"],"Contact name":["Nome do contato"],"XMPP Address":[""],"Add":["Adicionar"],"Filter":["Filtro"],"Filter by group name":[""],"Filter by status":[""],"Any":["Qualquer"],"Unread":["Não lido"],"Chatty":["Conversar"],"Extended Away":["Ausência Longa"],"Click to remove %1$s as a contact":["Clique para remover %1$s como contato"],"Click to accept the contact request from %1$s":["Clique para aceitar a solicitação de contato de %1$s"],"Click to decline the contact request from %1$s":["Clique para recusar a solicitação de contato de %1$s"],"Are you sure you want to decline this contact request?":["Tem certeza de que deseja recusar essa solicitação de contato?"],"Contacts":["Contatos"],"Add a contact":["Adicionar contato"],"Topic":[""],"Topic author":[""],"Features":["Recursos"],"Password protected":["Protegido por senha"],"Members only":["Apenas membros"],"Persistent":["Persistente"],"Only moderators can see your XMPP username":["Apenas moderadores podem ver seu usuário XMPP"],"Message archiving":["Arquivando mensagem"],"Messages are archived on the server":["As mensagens são arquivadas no servidor"],"No password":["Sem senha"],"Password:":["Senha:"],"password":["senha"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["Clique aqui para efetuar o login anonimamente"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Não possui uma conta de bate papo?"],"Create an account":["Criando uma conta"],"Create your account":["Criar sua conta"],"Please enter the XMPP provider to register with:":["Por favor entre com o provedor XMPP para registro:"],"Already have a chat account?":["Já possui uma conta de bate-papo?"],"Log in here":["Login aqui"],"Account Registration:":["Registro de Conta:"],"Register":["Registro"],"Choose a different provider":["Escolha um provedor diferente"],"Hold tight, we're fetching the registration form…":["Espere, estamos carregando o formulário de inscrição …"],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":["Baixar"]}}} \ No newline at end of file diff --git a/locale/pt_BR/LC_MESSAGES/converse.po b/locale/pt_BR/LC_MESSAGES/converse.po index bd18fe9ba..8f30a47fd 100644 --- a/locale/pt_BR/LC_MESSAGES/converse.po +++ b/locale/pt_BR/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 0.6.3\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-07-02 15:39+0200\n" "Last-Translator: Jeferson Nepomuceno Teles \n" "Language-Team: Portuguese (Brazil) 0 && n%100 < 20)) ? 1 : 2;","lang":"ro"},"Bookmark this groupchat":["Adaugă semn de carte pentru această discuție de grup"],"The name for this bookmark:":["Numele acestui semn de carte:"],"Would you like this groupchat to be automatically joined upon startup?":["Doriți să vă alăturați acestei discuții de grup automat la pornire?"],"What should your nickname for this groupchat be?":["Ce nume doriți să aveți în această discuție de grup?"],"Save":["Salvare"],"Cancel":["Anulează"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Sunteți siguri că doriți să eliminați semnul de carte \"%1$s\"?"],"Error":["Eroare"],"Sorry, something went wrong while trying to save your bookmark.":["Ne pare rău, ceva a mers prost în timp ce se încerca salvarea semnului de carte."],"Leave this groupchat":["Părăsește această discuție de grup"],"Remove this bookmark":["Elimina acest semn de carte"],"Unbookmark this groupchat":["Elimină semnul de carte pentru acestă discuție de grup"],"Show more information on this groupchat":["Arată mai multe informații despre această discuție de grup"],"Click to open this groupchat":["Faceți click pentru a deschide această discuție de grup"],"Click to toggle the bookmarks list":["Faceți click pentru a activa lista de semne de carte"],"Bookmarks":["Semne de carte"],"Sorry, could not determine file upload URL.":["Ne pare rău, nu am putut determina adresa pentru încărcarea fișierului."],"Sorry, could not determine upload URL.":["Ne pare rău, nu am putut determina adresa pentru descărcarea fișierului."],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":["Ne pare rău, nu am putut încărca fișierul dumneavoastră. Răspunsul serverului: \"%1$s\""],"Sorry, could not succesfully upload your file.":["Ne pare rău, nu am putut încărca fișierul dumneavoastră."],"Sorry, looks like file upload is not supported by your server.":["Ne pare rău, se pare că serverul dumneavoastră nu suportă încărcarea de fișiere."],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":["Dimensiunea fișierului dumneavoastră, %1$s, depășește valoarea maximă permisă de server, care este %2$s."],"Sorry, an error occurred:":["Ne pare rău, a apărut o eroare:"],"Close this chat box":["Închide această casetă de discuție"],"Are you sure you want to remove this contact?":["Sunteți siguri că doriți să eliminați acest contact?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Ne pare rău, a apărut o eroare în timp ce se încerca ștergerea %1$s din lista de contacte."],"You have unread messages":["Aveți mesaje necitite"],"Hidden message":["Mesaj ascuns"],"Message":["Mesaj"],"Send":["Trimite"],"Optional hint":["Indiciu opțional"],"Choose a file to send":["Selectați un fișier pentru a fi trimis"],"Click to write as a normal (non-spoiler) message":["Faceți click pentru a scrie ca un mesaj normal (nu dezvăluie)"],"Click to write your message as a spoiler":["Faceți click pentru a scrie mesajul ca o dezvăluire"],"Clear all messages":["Șterge toate mesajele"],"Insert emojis":["Inserare emoticon"],"Start a call":["Începe un apel"],"Remove messages":["Eliminați mesajele"],"Write in the third person":["Scrie la persoana a treia"],"Show this menu":["Arată acest meniu"],"Are you sure you want to clear the messages from this conversation?":["Sunteți siguri că doriți să ștergeți mesajele din această conversație?"],"%1$s has gone offline":["%1$s este deconectat(ă)"],"%1$s has gone away":["%1$s a plecat(ă)"],"%1$s is busy":["%1$s este ocupat(ă)"],"%1$s is online":["%1$s este conectat(ă)"],"Username":["Nume de utilizator"],"user@domain":["utilizator@domeniu"],"Please enter a valid XMPP address":["Vă rugăm să introduceți o adresă XMPP validă"],"Chat Contacts":["Contacte"],"Toggle chat":["Comutare discuție"],"The connection has dropped, attempting to reconnect.":["Conexiunea s-a întrerupt, se încearcă reconectarea."],"An error occurred while connecting to the chat server.":["S-a produs o eroare în timpul conexiunii la serverul de discuții."],"Your Jabber ID and/or password is incorrect. Please try again.":["ID-ul dumneavoastră Jabber sau parola sunt incorecte. Vă rugăm să încercați din nou."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["Ne pare rău, nu sa putut face conectarea la gazdă XMPP cu domeniu: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Serverul XMPP nu oferă un mecanism de autentificare acceptat"],"Show more":["Arată mai mult"],"Typing from another device":["Tastează de pe un alt dispozitiv"],"%1$s is typing":["%1$s tastează"],"Stopped typing on the other device":["S-a oprit din scris de pe un alt dispozitiv"],"%1$s has stopped typing":["%1$s s-a oprit din scris"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Micșorează această casetă de discuție"],"Click to restore this chat":["Faceți clic pentru a restabili acestă discuție"],"Minimized":["Micșorată"],"This groupchat is not anonymous":["Această discuție de grup nu este anonimă"],"This groupchat now shows unavailable members":["Această discuție de grup arată acum membrii indisponibili"],"This groupchat does not show unavailable members":["Această discuție de grup nu arată membrii indisponibili"],"The groupchat configuration has changed":["Configurația acestei discuții de grup s-a schimbat"],"groupchat logging is now enabled":["jurnalul discuției de grup este acum activat"],"groupchat logging is now disabled":["jurnalul discuției de grup este acum dezactivat"],"This groupchat is now no longer anonymous":["Această discuție de grup de acum nu mai este anonimă"],"This groupchat is now semi-anonymous":["Această discuție de grup de acum este semi-anonimă"],"This groupchat is now fully-anonymous":["Această discuție de grup de acum este complet anonimă"],"A new groupchat has been created":["O nouă discuție de grup a fost creată"],"You have been banned from this groupchat":["Ați fost excluși(se) din această discuție de grup"],"You have been kicked from this groupchat":["Ați fost dați(te) afară din această discuție de grup"],"You have been removed from this groupchat because of an affiliation change":["Ați fost eliminați(te) din această discuție de grup din cauza unei schimbări de afiliere"],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":["Ați fost eliminați(te) din această discuție de grup deoarece aceasta s-a modificat și acceptă doar membrii, iar dumneavoastră nu sunteți unul(a)"],"You have been removed from this groupchat because the service hosting it is being shut down":["Ați fost înlăturați(te) din această discuție de grup pentru ca serviciul gazdă se oprește"],"%1$s has been banned":[""],"%1$s's nickname has changed":[""],"%1$s has been kicked out":[""],"%1$s has been removed because of an affiliation change":[""],"%1$s has been removed for not being a member":[""],"Your nickname has been automatically set to %1$s":[""],"Your nickname has been changed to %1$s":[""],"Description:":[""],"Groupchat Address (JID):":[""],"Participants:":[""],"Features:":[""],"Requires authentication":[""],"Hidden":[""],"Requires an invitation":[""],"Moderated":[""],"Non-anonymous":[""],"Open":[""],"Permanent":[""],"Public":[""],"Semi-anonymous":[""],"Temporary":[""],"Unmoderated":[""],"Query for Groupchats":[""],"Server address":[""],"Show groupchats":[""],"conference.example.org":[""],"No groupchats found":[""],"Groupchats found:":[""],"Enter a new Groupchat":[""],"Groupchat address":[""],"Optional nickname":[""],"name@conference.example.org":[""],"Join":[""],"Groupchat info for %1$s":[""],"%1$s is no longer a permanent member of this groupchat":[""],"%1$s is no longer a moderator":[""],"%1$s has been given a voice again":[""],"%1$s has been muted":[""],"%1$s is now a moderator":[""],"Close and leave this groupchat":[""],"Configure this groupchat":[""],"Show more details about this groupchat":[""],"Hide the list of participants":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":[""],"Ban user from groupchat":[""],"Change user role to participant":[""],"Kick user from groupchat":[""],"Write in 3rd person":[""],"Grant membership to a user":[""],"Remove user's ability to post messages":[""],"Change your nickname":[""],"Grant moderator role to user":[""],"Grant ownership of this groupchat":[""],"Revoke user's membership":[""],"Set groupchat subject":[""],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":[""],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":[""],"Please choose your nickname":[""],"Nickname":[""],"Enter groupchat":[""],"This groupchat requires a password":[""],"Password: ":[""],"Submit":[""],"This action was done by %1$s.":[""],"The reason given is: \"%1$s\".":[""],"%1$s has left and re-entered the groupchat":[""],"%1$s has entered the groupchat":[""],"%1$s has entered the groupchat. \"%2$s\"":[""],"%1$s has entered and left the groupchat":[""],"%1$s has entered and left the groupchat. \"%2$s\"":[""],"%1$s has left the groupchat":[""],"%1$s has left the groupchat. \"%2$s\"":[""],"You are not on the member list of this groupchat.":[""],"You have been banned from this groupchat.":[""],"No nickname was specified.":[""],"You are not allowed to create new groupchats.":[""],"Your nickname doesn't conform to this groupchat's policies.":[""],"This groupchat does not (yet) exist.":[""],"This groupchat has reached its maximum number of participants.":[""],"Remote server not found":[""],"The explanation given is: \"%1$s\".":[""],"Topic set by %1$s":[""],"Topic cleared by %1$s":[""],"Groupchats":[""],"Add a new groupchat":[""],"Query for groupchats":[""],"Click to mention %1$s in your message.":["Faceți click pentru a menționa %1$s în mesajul dumneavoastră."],"This user is a moderator.":[""],"This user can send messages in this groupchat.":[""],"This user can NOT send messages in this groupchat.":[""],"Moderator":[""],"Visitor":[""],"Owner":[""],"Member":[""],"Admin":[""],"Participants":[""],"Invite":[""],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":[""],"Please enter a valid XMPP username":[""],"You're not allowed to register yourself in this groupchat.":[""],"You're not allowed to register in this groupchat because it's members-only.":[""],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":[""],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":[""],"Notification from %1$s":[""],"%1$s says":[""],"OMEMO Message received":[""],"has gone offline":[""],"has gone away":[""],"is busy":[""],"has come online":[""],"wants to be your contact":[""],"Sorry, an error occurred while trying to remove the devices.":[""],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Full Name":[""],"XMPP Address (JID)":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"Sorry, an error happened while trying to save your profile data.":[""],"You can check your browser's developer console for any error output.":[""],"Away":[""],"Busy":[""],"Custom status":[""],"Offline":[""],"Online":[""],"Away for long":[""],"Change chat status":[""],"Personal status message":[""],"I am %1$s":[""],"Change settings":[""],"Click to change your chat status":["Faceți click pentru a vă schimba mesajul de stare"],"Log out":[""],"Your profile":[""],"Are you sure you want to log out?":[""],"online":[""],"busy":[""],"away for long":[""],"away":[""],"offline":[""]," e.g. conversejs.org":[""],"Fetch registration form":[""],"Tip: A list of public XMPP providers is available":[""],"here":[""],"Sorry, we're unable to connect to your chosen provider.":[""],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":[""],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":[""],"Now logging you in":[""],"Registered successfully":[""],"The provider rejected your registration attempt. Please check the values you entered for correctness.":[""],"Click to toggle the list of open groupchats":["Faceți clic pentru a comuta lista de discuții de grup deschise"],"Open Groupchats":[""],"Are you sure you want to leave the groupchat %1$s?":[""],"Sorry, there was an error while trying to add %1$s as a contact.":[""],"This client does not allow presence subscriptions":[""],"Click to hide these contacts":["Faceți clic pentru a ascunde aceste contacte"],"This contact is busy":[""],"This contact is online":[""],"This contact is offline":[""],"This contact is unavailable":[""],"This contact is away for an extended period":[""],"This contact is away":[""],"Groups":[""],"My contacts":[""],"Pending contacts":[""],"Contact requests":[""],"Ungrouped":[""],"Contact name":[""],"Add a Contact":[""],"XMPP Address":[""],"name@example.org":[""],"Add":[""],"Filter":[""],"Filter by contact name":[""],"Filter by group name":[""],"Filter by status":[""],"Any":[""],"Unread":[""],"Chatty":[""],"Extended Away":[""],"Click to remove %1$s as a contact":["Faceți click pentru a elimina %1$s din lista de persoane de contact"],"Click to accept the contact request from %1$s":["Faceți clic pentru a accepta solicitarea de contact de la %1$s"],"Click to decline the contact request from %1$s":["Faceți click pentru a refuza solicitarea de contact de la %1$s"],"Click to chat with %1$s (JID: %2$s)":["Faceți click pentru a discuta cu %1$s (JID: %2$s)"],"Are you sure you want to decline this contact request?":[""],"Contacts":[""],"Add a contact":[""],"Name":[""],"Groupchat address (JID)":[""],"Description":[""],"Topic":[""],"Topic author":[""],"Online users":[""],"Features":[""],"Password protected":[""],"This groupchat requires a password before entry":[""],"No password required":[""],"This groupchat does not require a password upon entry":[""],"This groupchat is not publicly searchable":[""],"This groupchat is publicly searchable":[""],"Members only":[""],"This groupchat is restricted to members only":[""],"Anyone can join this groupchat":[""],"Persistent":[""],"This groupchat persists even if it's unoccupied":[""],"This groupchat will disappear once the last person leaves":[""],"Not anonymous":[""],"All other groupchat participants can see your XMPP username":[""],"Only moderators can see your XMPP username":[""],"This groupchat is being moderated":[""],"Not moderated":[""],"This groupchat is not being moderated":[""],"Message archiving":[""],"Messages are archived on the server":[""],"No password":[""],"this groupchat is restricted to members only":[""],"XMPP Username:":[""],"Password:":[""],"password":[""],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Log in":[""],"Click here to log in anonymously":["Faceți click aici pentru a vă autentifica anonim"],"This message has been edited":[""],"Edit this message":[""],"Message versions":[""],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Device without a fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":[""],"Create an account":[""],"Create your account":[""],"Please enter the XMPP provider to register with:":[""],"Already have a chat account?":[""],"Log in here":[""],"Account Registration:":[""],"Register":[""],"Choose a different provider":[""],"Hold tight, we're fetching the registration form…":[""],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Remove as contact":[""],"Refresh":[""],"Download":[""],"Download file \"%1$s\"":[""],"Download image \"%1$s\"":[""],"Download video file \"%1$s\"":[""],"Download audio file \"%1$s\"":[""]}}} \ No newline at end of file diff --git a/locale/ro/LC_MESSAGES/converse.po b/locale/ro/LC_MESSAGES/converse.po index 014774b6b..dd45c72f5 100644 --- a/locale/ro/LC_MESSAGES/converse.po +++ b/locale/ro/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 3.3.4\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-06 15:52+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-09-25 23:35+0000\n" "Last-Translator: Licaon Kter \n" "Language-Team: Romanian =2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;","lang":"ru"},"The name for this bookmark:":["Имя для этой закладки:"],"Save":["Сохранить"],"Cancel":["Отменить"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Вы уверены, что хотите удалить закладку \"%1$s\"?"],"Error":["Ошибка"],"Sorry, something went wrong while trying to save your bookmark.":["Извините, что-то пошло не так в момент попытки сохранить вашу закладку."],"Remove this bookmark":["Удалить эту закладку"],"Click to toggle the bookmarks list":["Нажмите, чтобы переключить список закладок"],"Bookmarks":["Закладки"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":["Закрыть это окно чата"],"Are you sure you want to remove this contact?":["Вы уверены, что хотите удалить этот контакт?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Прости, произошла ошибка при попытке удаления %1$s как контакта."],"You have unread messages":["У тебя есть непрочитанные сообщения"],"Hidden message":["Скрытое сообщение"],"Message":["Сообщение"],"Send":["Отправить"],"Optional hint":["Опционная подсказка"],"Choose a file to send":[""],"Click to write as a normal (non-spoiler) message":["Нажмите, чтобы написать как обычное (не-спойлер) сообщение"],"Click to write your message as a spoiler":["Нажмите, чтобы написать сообщение как спойлер"],"Clear all messages":["Очистить все сообщения"],"Start a call":["Инициировать звонок"],"Remove messages":["Удалить сообщения"],"Write in the third person":["Вписать третьего человека"],"Show this menu":["Показать это меню"],"Username":["Имя пользователя"],"user@domain":["пользователь@домен"],"Please enter a valid XMPP address":["Пожалуйста, введите действительный XMPP адрес"],"Chat Contacts":["Контакты в чате"],"Toggle chat":["Включить чат"],"The connection has dropped, attempting to reconnect.":["Соединение потеряно, попытка переподключения."],"An error occurred while connecting to the chat server.":["При подключении к чат-серверу произошла ошибка."],"Your Jabber ID and/or password is incorrect. Please try again.":["Твой ID Jabber'а и/или пароль некорректный. Пожалуйста попробуй снова."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["К сожалению, мы не смогли подключиться к XMPP узлу с доменом: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Сервер XMPP не предлагал поддерживаемый механизм аутентификации"],"Typing from another device":["Набирает с другого девайса"],"Stopped typing on the other device":["Перестал набирать с другого девайса"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Свернуть окно чата"],"Click to restore this chat":["Кликните, чтобы развернуть чат"],"Minimized":["Свёрнуто"],"%1$s has been banned":["%1$s был забанен"],"%1$s's nickname has changed":["%1$s сменил псевдоним"],"%1$s has been kicked out":["%1$s был выкинут"],"%1$s has been removed because of an affiliation change":["%1$s был удален из-за изменения членства"],"%1$s has been removed for not being a member":["%1$s был удален из-за того, что не являлся членом"],"Your nickname has been automatically set to %1$s":["Ваш псевдоним был автоматически изменён на: %1$s"],"Your nickname has been changed to %1$s":["Ваш псевдоним был изменён на: %1$s"],"Description:":["Описание:"],"Features:":["Свойства:"],"Requires authentication":["Требуется авторизация"],"Hidden":["Скрыто"],"Requires an invitation":["Требуется приглашение"],"Moderated":["Модерируемая"],"Non-anonymous":["Не анонимная"],"Open":["Открыть"],"Public":["Публичный"],"Semi-anonymous":["Частично анонимный"],"Temporary":["Временный"],"Unmoderated":["Немодерируемый"],"Server address":["Адрес сервера"],"conference.example.org":["например, conference.example.org"],"Optional nickname":["Имя пользователя по умолчанию"],"name@conference.example.org":["например, name@conference.example.org"],"Join":["Присоединиться"],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Ошибка: команда \"%1$s\" принимает два аргумента, пользовательский псевдоним и (опционально) причину."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":["Дать права администратора"],"Change user role to participant":["Изменить роль пользователя на \"участник\""],"Write in 3rd person":["Писать в третьем лице"],"Grant membership to a user":["Сделать пользователя участником"],"Remove user's ability to post messages":["Запретить отправку сообщений"],"Change your nickname":["Изменить свой псевдоним"],"Grant moderator role to user":["Предоставить права модератора пользователю"],"Revoke user's membership":["Отозвать членство пользователя"],"Allow muted user to post messages":["Разрешить заглушенным пользователям отправлять сообщения"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Выбранный вами псевдоним зарезервирован или используется в настоящее время, выберите другой."],"Please choose your nickname":["Пожалуйста, выберите свой псевдоним"],"Nickname":["Псевдоним"],"Password: ":["Пароль: "],"Submit":["Отправить"],"This action was done by %1$s.":["Это действие было выполнено %1$s."],"The reason given is: \"%1$s\".":["Причиной является: \"%1$s\"."],"No nickname was specified.":["Псевдоним не был указан."],"Remote server not found":[""],"Topic set by %1$s":["Тему установил(а) %1$s"],"Click to mention %1$s in your message.":["Нажмите, чтобы упомянуть %1$s в вашем сообщении."],"This user is a moderator.":["Этот пользователь является модератором."],"Visitor":[""],"Owner":[""],"Admin":[""],"Participants":[""],"Invite":["Пригласить"],"Please enter a valid XMPP username":["Пожалуйста, введите доступный псевдоним XMPP"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Уведомление от %1$s"],"%1$s says":["%1$s говорит"],"has gone offline":["вышел из сети"],"has gone away":["отошёл"],"is busy":["занят"],"has come online":["появился в сети"],"wants to be your contact":["хочет быть в вашем списке контактов"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":["Ваш профиль"],"Close":["Закрыть"],"Email":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Отошёл"],"Busy":["Занят"],"Custom status":["Произвольный статус"],"Offline":["Не в сети"],"Online":["В сети"],"Away for long":["Давно отсутствует"],"Change chat status":["Изменить статус чата"],"I am %1$s":["Я %1$s"],"Change settings":["Изменить настройки"],"Click to change your chat status":["Изменить ваш статус"],"Log out":["Выйти"],"Your profile":["Ваш профиль"],"Are you sure you want to log out?":["Вы уверены, что хотите выйти?"],"online":["на связи"],"busy":["занят"],"away for long":["отошёл надолго"],"away":["отошёл"],"offline":["Не в сети"]," e.g. conversejs.org":[" например, conversejs.org"],"Fetch registration form":["Получить форму регистрации"],"Tip: A list of public XMPP providers is available":["Совет. Список публичных XMPP провайдеров доступен"],"here":["здесь"],"Sorry, we're unable to connect to your chosen provider.":["К сожалению, мы не можем подключиться к выбранному вами провайдеру."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["К сожалению, провайдер не поддерживает регистрацию аккаунта через клиентское приложение. Пожалуйста попробуйте выбрать другого провайдера."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Что-то пошло не так при установке связи с \"%1$s\". Вы уверены, что такой адрес существует?"],"Now logging you in":["Осуществляется вход"],"Registered successfully":["Зарегистрирован успешно"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Провайдер отклонил вашу попытку зарегистрироваться. Пожалуйста, проверьте, правильно ли введены значения."],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["Прости, произошла ошибка при добавлении %1$s в качестве контакта."],"This client does not allow presence subscriptions":["Данный чат-клиент не поддерживает уведомления о статусе"],"Click to hide these contacts":["Кликните, чтобы спрятать эти контакты"],"This contact is busy":["Занят"],"This contact is online":["В сети"],"This contact is offline":["Не в сети"],"This contact is unavailable":["Недоступен"],"This contact is away for an extended period":["Надолго отошёл"],"This contact is away":["Отошёл"],"Groups":["Группы"],"My contacts":["Контакты"],"Pending contacts":["Собеседники, ожидающие авторизации"],"Contact requests":["Запросы на авторизацию"],"Ungrouped":["Несгруппированные"],"Contact name":["Имя контакта"],"Add a Contact":["Добавить контакт"],"XMPP Address":["XMPP адрес"],"name@example.org":["например, name@example.org"],"Add":["Добавить"],"Filter":["Фильтр"],"Filter by contact name":["Фильтр по имени"],"Filter by group name":["Фильтр по названию группы"],"Filter by status":["Фильтр по статусу"],"Any":["Любой"],"Unread":["Непрочитанно"],"Chatty":["Болтливый"],"Extended Away":["Нет на месте долгое время"],"Click to remove %1$s as a contact":["Нажми что-бы удалить %1$s как контакт"],"Click to accept the contact request from %1$s":["Кликни, что-бы принять запрос на добавление от %1$s"],"Click to decline the contact request from %1$s":["Кликни, что-бы отклонить запрос на добавление от %1$s"],"Click to chat with %1$s (JID: %2$s)":["Нажмите для чата с %1$s (Идентификатор Jabber: %2$s)"],"Are you sure you want to decline this contact request?":["Вы уверены, что хотите отклонить запрос от этого контакта?"],"Contacts":["Контакты"],"Add a contact":["Добавть контакт"],"Topic":[""],"Topic author":[""],"Features":["Особенности"],"Password protected":["Пароль защищён"],"Members only":["Только для членов"],"Persistent":["Стойкий"],"Only moderators can see your XMPP username":["Только модераторы могут видеть ваш псевдоним XMPP"],"Message archiving":["Архивация сообщений"],"Messages are archived on the server":["Сообщения архивируются на сервере"],"No password":["Нет пароля"],"XMPP Username:":["XMPP Username:"],"Password:":["Пароль:"],"password":["пароль"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["Нажмите здесь, чтобы войти анонимно"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Не имеете учётную запись для чата?"],"Create an account":["Создать учётную запись"],"Create your account":["Создать вашу учётную запись"],"Please enter the XMPP provider to register with:":["Пожалуйста, введите XMPP провайдера для регистрации:"],"Already have a chat account?":["Уже имеете учётную запись чата?"],"Log in here":["Вход в систему"],"Account Registration:":["Регистрация учётной записи:"],"Register":["Регистрация"],"Choose a different provider":["Выберите другого провайдера"],"Hold tight, we're fetching the registration form…":["Подождите немного, мы получаем регистрационную форму…"],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":[""],"Download \"%1$s\"":[""],"Download video file":[""],"Download audio file":[""]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;","lang":"ru"},"The name for this bookmark:":["Имя для этой закладки:"],"Save":["Сохранить"],"Cancel":["Отменить"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Вы уверены, что хотите удалить закладку \"%1$s\"?"],"Error":["Ошибка"],"Sorry, something went wrong while trying to save your bookmark.":["Извините, что-то пошло не так в момент попытки сохранить вашу закладку."],"Remove this bookmark":["Удалить эту закладку"],"Click to toggle the bookmarks list":["Нажмите, чтобы переключить список закладок"],"Bookmarks":["Закладки"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":["Закрыть это окно чата"],"Are you sure you want to remove this contact?":["Вы уверены, что хотите удалить этот контакт?"],"Sorry, there was an error while trying to remove %1$s as a contact.":["Прости, произошла ошибка при попытке удаления %1$s как контакта."],"You have unread messages":["У тебя есть непрочитанные сообщения"],"Hidden message":["Скрытое сообщение"],"Message":["Сообщение"],"Send":["Отправить"],"Optional hint":["Опционная подсказка"],"Choose a file to send":[""],"Click to write as a normal (non-spoiler) message":["Нажмите, чтобы написать как обычное (не-спойлер) сообщение"],"Click to write your message as a spoiler":["Нажмите, чтобы написать сообщение как спойлер"],"Clear all messages":["Очистить все сообщения"],"Start a call":["Инициировать звонок"],"Remove messages":["Удалить сообщения"],"Write in the third person":["Вписать третьего человека"],"Show this menu":["Показать это меню"],"Username":["Имя пользователя"],"user@domain":["пользователь@домен"],"Please enter a valid XMPP address":["Пожалуйста, введите действительный XMPP адрес"],"Chat Contacts":["Контакты в чате"],"Toggle chat":["Включить чат"],"The connection has dropped, attempting to reconnect.":["Соединение потеряно, попытка переподключения."],"An error occurred while connecting to the chat server.":["При подключении к чат-серверу произошла ошибка."],"Your Jabber ID and/or password is incorrect. Please try again.":["Твой ID Jabber'а и/или пароль некорректный. Пожалуйста попробуй снова."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["К сожалению, мы не смогли подключиться к XMPP узлу с доменом: %1$s"],"The XMPP server did not offer a supported authentication mechanism":["Сервер XMPP не предлагал поддерживаемый механизм аутентификации"],"Typing from another device":["Набирает с другого девайса"],"Stopped typing on the other device":["Перестал набирать с другого девайса"],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Свернуть окно чата"],"Click to restore this chat":["Кликните, чтобы развернуть чат"],"Minimized":["Свёрнуто"],"%1$s has been banned":["%1$s был забанен"],"%1$s's nickname has changed":["%1$s сменил псевдоним"],"%1$s has been kicked out":["%1$s был выкинут"],"%1$s has been removed because of an affiliation change":["%1$s был удален из-за изменения членства"],"%1$s has been removed for not being a member":["%1$s был удален из-за того, что не являлся членом"],"Your nickname has been automatically set to %1$s":["Ваш псевдоним был автоматически изменён на: %1$s"],"Your nickname has been changed to %1$s":["Ваш псевдоним был изменён на: %1$s"],"Description:":["Описание:"],"Features:":["Свойства:"],"Requires authentication":["Требуется авторизация"],"Hidden":["Скрыто"],"Requires an invitation":["Требуется приглашение"],"Moderated":["Модерируемая"],"Non-anonymous":["Не анонимная"],"Open":["Открыть"],"Public":["Публичный"],"Semi-anonymous":["Частично анонимный"],"Temporary":["Временный"],"Unmoderated":["Немодерируемый"],"Server address":["Адрес сервера"],"conference.example.org":["например, conference.example.org"],"Optional nickname":["Имя пользователя по умолчанию"],"name@conference.example.org":["например, name@conference.example.org"],"Join":["Присоединиться"],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":["Ошибка: команда \"%1$s\" принимает два аргумента, пользовательский псевдоним и (опционально) причину."],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":["Дать права администратора"],"Change user role to participant":["Изменить роль пользователя на \"участник\""],"Write in 3rd person":["Писать в третьем лице"],"Grant membership to a user":["Сделать пользователя участником"],"Remove user's ability to post messages":["Запретить отправку сообщений"],"Change your nickname":["Изменить свой псевдоним"],"Grant moderator role to user":["Предоставить права модератора пользователю"],"Revoke user's membership":["Отозвать членство пользователя"],"Allow muted user to post messages":["Разрешить заглушенным пользователям отправлять сообщения"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":["Выбранный вами псевдоним зарезервирован или используется в настоящее время, выберите другой."],"Please choose your nickname":["Пожалуйста, выберите свой псевдоним"],"Nickname":["Псевдоним"],"Password: ":["Пароль: "],"Submit":["Отправить"],"This action was done by %1$s.":["Это действие было выполнено %1$s."],"The reason given is: \"%1$s\".":["Причиной является: \"%1$s\"."],"No nickname was specified.":["Псевдоним не был указан."],"Remote server not found":[""],"Topic set by %1$s":["Тему установил(а) %1$s"],"Click to mention %1$s in your message.":["Нажмите, чтобы упомянуть %1$s в вашем сообщении."],"This user is a moderator.":["Этот пользователь является модератором."],"Visitor":[""],"Owner":[""],"Admin":[""],"Participants":[""],"Invite":["Пригласить"],"Please enter a valid XMPP username":["Пожалуйста, введите доступный псевдоним XMPP"],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Уведомление от %1$s"],"%1$s says":["%1$s говорит"],"has gone offline":["вышел из сети"],"has gone away":["отошёл"],"is busy":["занят"],"has come online":["появился в сети"],"wants to be your contact":["хочет быть в вашем списке контактов"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":["Ваш профиль"],"Close":["Закрыть"],"Email":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Отошёл"],"Busy":["Занят"],"Custom status":["Произвольный статус"],"Offline":["Не в сети"],"Online":["В сети"],"Away for long":["Давно отсутствует"],"Change chat status":["Изменить статус чата"],"I am %1$s":["Я %1$s"],"Change settings":["Изменить настройки"],"Click to change your chat status":["Изменить ваш статус"],"Log out":["Выйти"],"Your profile":["Ваш профиль"],"Are you sure you want to log out?":["Вы уверены, что хотите выйти?"],"online":["на связи"],"busy":["занят"],"away for long":["отошёл надолго"],"away":["отошёл"],"offline":["Не в сети"]," e.g. conversejs.org":[" например, conversejs.org"],"Fetch registration form":["Получить форму регистрации"],"Tip: A list of public XMPP providers is available":["Совет. Список публичных XMPP провайдеров доступен"],"here":["здесь"],"Sorry, we're unable to connect to your chosen provider.":["К сожалению, мы не можем подключиться к выбранному вами провайдеру."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["К сожалению, провайдер не поддерживает регистрацию аккаунта через клиентское приложение. Пожалуйста попробуйте выбрать другого провайдера."],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":["Что-то пошло не так при установке связи с \"%1$s\". Вы уверены, что такой адрес существует?"],"Now logging you in":["Осуществляется вход"],"Registered successfully":["Зарегистрирован успешно"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Провайдер отклонил вашу попытку зарегистрироваться. Пожалуйста, проверьте, правильно ли введены значения."],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":["Прости, произошла ошибка при добавлении %1$s в качестве контакта."],"This client does not allow presence subscriptions":["Данный чат-клиент не поддерживает уведомления о статусе"],"Click to hide these contacts":["Кликните, чтобы спрятать эти контакты"],"This contact is busy":["Занят"],"This contact is online":["В сети"],"This contact is offline":["Не в сети"],"This contact is unavailable":["Недоступен"],"This contact is away for an extended period":["Надолго отошёл"],"This contact is away":["Отошёл"],"Groups":["Группы"],"My contacts":["Контакты"],"Pending contacts":["Собеседники, ожидающие авторизации"],"Contact requests":["Запросы на авторизацию"],"Ungrouped":["Несгруппированные"],"Contact name":["Имя контакта"],"Add a Contact":["Добавить контакт"],"XMPP Address":["XMPP адрес"],"name@example.org":["например, name@example.org"],"Add":["Добавить"],"Filter":["Фильтр"],"Filter by contact name":["Фильтр по имени"],"Filter by group name":["Фильтр по названию группы"],"Filter by status":["Фильтр по статусу"],"Any":["Любой"],"Unread":["Непрочитанно"],"Chatty":["Болтливый"],"Extended Away":["Нет на месте долгое время"],"Click to remove %1$s as a contact":["Нажми что-бы удалить %1$s как контакт"],"Click to accept the contact request from %1$s":["Кликни, что-бы принять запрос на добавление от %1$s"],"Click to decline the contact request from %1$s":["Кликни, что-бы отклонить запрос на добавление от %1$s"],"Click to chat with %1$s (JID: %2$s)":["Нажмите для чата с %1$s (Идентификатор Jabber: %2$s)"],"Are you sure you want to decline this contact request?":["Вы уверены, что хотите отклонить запрос от этого контакта?"],"Contacts":["Контакты"],"Add a contact":["Добавть контакт"],"Topic":[""],"Topic author":[""],"Features":["Особенности"],"Password protected":["Пароль защищён"],"Members only":["Только для членов"],"Persistent":["Стойкий"],"Only moderators can see your XMPP username":["Только модераторы могут видеть ваш псевдоним XMPP"],"Message archiving":["Архивация сообщений"],"Messages are archived on the server":["Сообщения архивируются на сервере"],"No password":["Нет пароля"],"XMPP Username:":["XMPP Username:"],"Password:":["Пароль:"],"password":["пароль"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Click here to log in anonymously":["Нажмите здесь, чтобы войти анонимно"],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":["Не имеете учётную запись для чата?"],"Create an account":["Создать учётную запись"],"Create your account":["Создать вашу учётную запись"],"Please enter the XMPP provider to register with:":["Пожалуйста, введите XMPP провайдера для регистрации:"],"Already have a chat account?":["Уже имеете учётную запись чата?"],"Log in here":["Вход в систему"],"Account Registration:":["Регистрация учётной записи:"],"Register":["Регистрация"],"Choose a different provider":["Выберите другого провайдера"],"Hold tight, we're fetching the registration form…":["Подождите немного, мы получаем регистрационную форму…"],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":[""],"Download file \"%1$s\"":[""],"Download image \"%1$s\"":[""],"Download video file \"%1$s\"":[""],"Download audio file \"%1$s\"":[""]}}} \ No newline at end of file diff --git a/locale/ru/LC_MESSAGES/converse.po b/locale/ru/LC_MESSAGES/converse.po index 278d35b03..129328823 100644 --- a/locale/ru/LC_MESSAGES/converse.po +++ b/locale/ru/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 0.10\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-04-29 18:41+0000\n" "Last-Translator: Anton Tikhomirov \n" "Language-Team: Russian =20) ? 1 : 2;\n" "X-Generator: Weblate 3.0-dev\n" -#: dist/converse-no-dependencies.js:31821 -#: dist/converse-no-dependencies.js:31906 -#: dist/converse-no-dependencies.js:47423 +#: dist/converse-no-dependencies.js:32421 +#: dist/converse-no-dependencies.js:32506 +#: dist/converse-no-dependencies.js:48032 #, fuzzy msgid "Bookmark this groupchat" msgstr "Добавить эту комнату в закладки" -#: dist/converse-no-dependencies.js:31907 +#: dist/converse-no-dependencies.js:32507 msgid "The name for this bookmark:" msgstr "Имя для этой закладки:" -#: dist/converse-no-dependencies.js:31908 +#: dist/converse-no-dependencies.js:32508 #, fuzzy msgid "Would you like this groupchat to be automatically joined upon startup?" msgstr "" "Хотели бы вы, чтобы вход в эту комнату совершался автоматически при запуске?" -#: dist/converse-no-dependencies.js:31909 +#: dist/converse-no-dependencies.js:32509 #, fuzzy msgid "What should your nickname for this groupchat be?" msgstr "Какой должен быть псевдоним для этой комнаты?" -#: dist/converse-no-dependencies.js:31911 -#: dist/converse-no-dependencies.js:41743 -#: dist/converse-no-dependencies.js:46269 +#: dist/converse-no-dependencies.js:32511 +#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:46878 msgid "Save" msgstr "Сохранить" -#: dist/converse-no-dependencies.js:31912 -#: dist/converse-no-dependencies.js:41744 -#: dist/converse-no-dependencies.js:46265 -#: dist/converse-no-dependencies.js:52704 +#: dist/converse-no-dependencies.js:32512 +#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:46874 +#: dist/converse-no-dependencies.js:53313 msgid "Cancel" msgstr "Отменить" -#: dist/converse-no-dependencies.js:31985 +#: dist/converse-no-dependencies.js:32585 #, javascript-format msgid "Are you sure you want to remove the bookmark \"%1$s\"?" msgstr "Вы уверены, что хотите удалить закладку \"%1$s\"?" -#: dist/converse-no-dependencies.js:32104 -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:44898 -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:32704 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:45498 +#: dist/converse-no-dependencies.js:46823 msgid "Error" msgstr "Ошибка" -#: dist/converse-no-dependencies.js:32104 +#: dist/converse-no-dependencies.js:32704 msgid "Sorry, something went wrong while trying to save your bookmark." msgstr "" "Извините, что-то пошло не так в момент попытки сохранить вашу закладку." -#: dist/converse-no-dependencies.js:32195 -#: dist/converse-no-dependencies.js:47421 +#: dist/converse-no-dependencies.js:32795 +#: dist/converse-no-dependencies.js:48030 #, fuzzy msgid "Leave this groupchat" msgstr "Покинуть эту комнату" -#: dist/converse-no-dependencies.js:32196 +#: dist/converse-no-dependencies.js:32796 msgid "Remove this bookmark" msgstr "Удалить эту закладку" -#: dist/converse-no-dependencies.js:32197 -#: dist/converse-no-dependencies.js:47422 +#: dist/converse-no-dependencies.js:32797 +#: dist/converse-no-dependencies.js:48031 #, fuzzy msgid "Unbookmark this groupchat" msgstr "Удалить эту комнату из закладок" -#: dist/converse-no-dependencies.js:32198 -#: dist/converse-no-dependencies.js:40905 -#: dist/converse-no-dependencies.js:47424 +#: dist/converse-no-dependencies.js:32798 +#: dist/converse-no-dependencies.js:41505 +#: dist/converse-no-dependencies.js:48033 #, fuzzy msgid "Show more information on this groupchat" msgstr "Показать больше информации об этом чате" -#: dist/converse-no-dependencies.js:32201 -#: dist/converse-no-dependencies.js:40904 -#: dist/converse-no-dependencies.js:47426 +#: dist/converse-no-dependencies.js:32801 +#: dist/converse-no-dependencies.js:41504 +#: dist/converse-no-dependencies.js:48035 #, fuzzy msgid "Click to open this groupchat" msgstr "Зайти в чат" -#: dist/converse-no-dependencies.js:32240 +#: dist/converse-no-dependencies.js:32840 msgid "Click to toggle the bookmarks list" msgstr "Нажмите, чтобы переключить список закладок" -#: dist/converse-no-dependencies.js:32241 +#: dist/converse-no-dependencies.js:32841 msgid "Bookmarks" msgstr "Закладки" -#: dist/converse-no-dependencies.js:32660 +#: dist/converse-no-dependencies.js:33260 msgid "Sorry, could not determine file upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32668 +#: dist/converse-no-dependencies.js:33268 msgid "Sorry, could not determine upload URL." msgstr "" -#: dist/converse-no-dependencies.js:32703 +#: dist/converse-no-dependencies.js:33303 #, javascript-format msgid "" "Sorry, could not succesfully upload your file. Your server’s response: \"%1$s" "\"" msgstr "" -#: dist/converse-no-dependencies.js:32705 +#: dist/converse-no-dependencies.js:33305 msgid "Sorry, could not succesfully upload your file." msgstr "" -#: dist/converse-no-dependencies.js:32950 +#: dist/converse-no-dependencies.js:33550 msgid "Sorry, looks like file upload is not supported by your server." msgstr "" -#: dist/converse-no-dependencies.js:32960 +#: dist/converse-no-dependencies.js:33560 #, javascript-format msgid "" "The size of your file, %1$s, exceeds the maximum allowed by your server, " "which is %2$s." msgstr "" -#: dist/converse-no-dependencies.js:33182 +#: dist/converse-no-dependencies.js:33782 msgid "Sorry, an error occurred:" msgstr "" -#: dist/converse-no-dependencies.js:33860 +#: dist/converse-no-dependencies.js:34460 msgid "Close this chat box" msgstr "Закрыть это окно чата" -#: dist/converse-no-dependencies.js:33937 -#: dist/converse-no-dependencies.js:49200 +#: dist/converse-no-dependencies.js:34537 +#: dist/converse-no-dependencies.js:49809 msgid "Are you sure you want to remove this contact?" msgstr "Вы уверены, что хотите удалить этот контакт?" -#: dist/converse-no-dependencies.js:33946 -#: dist/converse-no-dependencies.js:49208 +#: dist/converse-no-dependencies.js:34546 +#: dist/converse-no-dependencies.js:49817 #, javascript-format msgid "Sorry, there was an error while trying to remove %1$s as a contact." msgstr "Прости, произошла ошибка при попытке удаления %1$s как контакта." -#: dist/converse-no-dependencies.js:34000 -#: dist/converse-no-dependencies.js:34040 +#: dist/converse-no-dependencies.js:34600 +#: dist/converse-no-dependencies.js:34640 msgid "You have unread messages" msgstr "У тебя есть непрочитанные сообщения" -#: dist/converse-no-dependencies.js:34026 +#: dist/converse-no-dependencies.js:34626 msgid "Hidden message" msgstr "Скрытое сообщение" -#: dist/converse-no-dependencies.js:34028 +#: dist/converse-no-dependencies.js:34628 msgid "Message" msgstr "Сообщение" -#: dist/converse-no-dependencies.js:34035 +#: dist/converse-no-dependencies.js:34635 msgid "Send" msgstr "Отправить" -#: dist/converse-no-dependencies.js:34036 +#: dist/converse-no-dependencies.js:34636 msgid "Optional hint" msgstr "Опционная подсказка" -#: dist/converse-no-dependencies.js:34074 +#: dist/converse-no-dependencies.js:34674 msgid "Choose a file to send" msgstr "" -#: dist/converse-no-dependencies.js:34130 +#: dist/converse-no-dependencies.js:34730 msgid "Click to write as a normal (non-spoiler) message" msgstr "Нажмите, чтобы написать как обычное (не-спойлер) сообщение" -#: dist/converse-no-dependencies.js:34132 +#: dist/converse-no-dependencies.js:34732 msgid "Click to write your message as a spoiler" msgstr "Нажмите, чтобы написать сообщение как спойлер" -#: dist/converse-no-dependencies.js:34136 +#: dist/converse-no-dependencies.js:34736 msgid "Clear all messages" msgstr "Очистить все сообщения" -#: dist/converse-no-dependencies.js:34137 +#: dist/converse-no-dependencies.js:34737 #, fuzzy msgid "Insert emojis" msgstr "Вставить смайлик" -#: dist/converse-no-dependencies.js:34138 +#: dist/converse-no-dependencies.js:34738 msgid "Start a call" msgstr "Инициировать звонок" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Remove messages" msgstr "Удалить сообщения" -#: dist/converse-no-dependencies.js:34455 +#: dist/converse-no-dependencies.js:35055 msgid "Write in the third person" msgstr "Вписать третьего человека" -#: dist/converse-no-dependencies.js:34455 -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:35055 +#: dist/converse-no-dependencies.js:42113 msgid "Show this menu" msgstr "Показать это меню" -#: dist/converse-no-dependencies.js:34676 +#: dist/converse-no-dependencies.js:35276 #, fuzzy msgid "Are you sure you want to clear the messages from this conversation?" msgstr "Вы уверены, что хотите очистить сообщения из окна чата?" -#: dist/converse-no-dependencies.js:34792 +#: dist/converse-no-dependencies.js:35392 #, fuzzy, javascript-format msgid "%1$s has gone offline" msgstr "вышел из сети" -#: dist/converse-no-dependencies.js:34794 -#: dist/converse-no-dependencies.js:39805 +#: dist/converse-no-dependencies.js:35394 +#: dist/converse-no-dependencies.js:40405 #, fuzzy, javascript-format msgid "%1$s has gone away" msgstr "отошёл" -#: dist/converse-no-dependencies.js:34796 +#: dist/converse-no-dependencies.js:35396 #, fuzzy, javascript-format msgid "%1$s is busy" msgstr "занят" -#: dist/converse-no-dependencies.js:34798 +#: dist/converse-no-dependencies.js:35398 #, fuzzy, javascript-format msgid "%1$s is online" msgstr "на связи" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "Username" msgstr "Имя пользователя" -#: dist/converse-no-dependencies.js:35427 +#: dist/converse-no-dependencies.js:36027 msgid "user@domain" msgstr "пользователь@домен" -#: dist/converse-no-dependencies.js:35446 -#: dist/converse-no-dependencies.js:48809 +#: dist/converse-no-dependencies.js:36046 +#: dist/converse-no-dependencies.js:49418 msgid "Please enter a valid XMPP address" msgstr "Пожалуйста, введите действительный XMPP адрес" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Chat Contacts" msgstr "Контакты в чате" -#: dist/converse-no-dependencies.js:35545 +#: dist/converse-no-dependencies.js:36145 msgid "Toggle chat" msgstr "Включить чат" -#: dist/converse-no-dependencies.js:36182 +#: dist/converse-no-dependencies.js:36782 msgid "The connection has dropped, attempting to reconnect." msgstr "Соединение потеряно, попытка переподключения." -#: dist/converse-no-dependencies.js:36282 +#: dist/converse-no-dependencies.js:36882 msgid "An error occurred while connecting to the chat server." msgstr "При подключении к чат-серверу произошла ошибка." -#: dist/converse-no-dependencies.js:36289 +#: dist/converse-no-dependencies.js:36889 msgid "Your Jabber ID and/or password is incorrect. Please try again." msgstr "Твой ID Jabber'а и/или пароль некорректный. Пожалуйста попробуй снова." -#: dist/converse-no-dependencies.js:36301 +#: dist/converse-no-dependencies.js:36901 #, javascript-format msgid "Sorry, we could not connect to the XMPP host with domain: %1$s" msgstr "К сожалению, мы не смогли подключиться к XMPP узлу с доменом: %1$s" -#: dist/converse-no-dependencies.js:36303 +#: dist/converse-no-dependencies.js:36903 msgid "The XMPP server did not offer a supported authentication mechanism" msgstr "Сервер XMPP не предлагал поддерживаемый механизм аутентификации" -#: dist/converse-no-dependencies.js:39746 +#: dist/converse-no-dependencies.js:40346 #, fuzzy msgid "Show more" msgstr "Показать чаты" -#: dist/converse-no-dependencies.js:39794 +#: dist/converse-no-dependencies.js:40394 msgid "Typing from another device" msgstr "Набирает с другого девайса" -#: dist/converse-no-dependencies.js:39796 +#: dist/converse-no-dependencies.js:40396 #, fuzzy, javascript-format msgid "%1$s is typing" msgstr "набирает текст" -#: dist/converse-no-dependencies.js:39800 +#: dist/converse-no-dependencies.js:40400 msgid "Stopped typing on the other device" msgstr "Перестал набирать с другого девайса" -#: dist/converse-no-dependencies.js:39802 +#: dist/converse-no-dependencies.js:40402 #, fuzzy, javascript-format msgid "%1$s has stopped typing" msgstr "перестал набирать" -#: dist/converse-no-dependencies.js:39837 +#: dist/converse-no-dependencies.js:40437 msgid "Unencryptable OMEMO message" msgstr "" -#: dist/converse-no-dependencies.js:40055 -#: dist/converse-no-dependencies.js:40098 +#: dist/converse-no-dependencies.js:40655 +#: dist/converse-no-dependencies.js:40698 msgid "Minimize this chat box" msgstr "Свернуть окно чата" -#: dist/converse-no-dependencies.js:40231 +#: dist/converse-no-dependencies.js:40831 msgid "Click to restore this chat" msgstr "Кликните, чтобы развернуть чат" -#: dist/converse-no-dependencies.js:40420 +#: dist/converse-no-dependencies.js:41020 msgid "Minimized" msgstr "Свёрнуто" -#: dist/converse-no-dependencies.js:40747 +#: dist/converse-no-dependencies.js:41347 #, fuzzy msgid "This groupchat is not anonymous" msgstr "Этот чат не анонимный" -#: dist/converse-no-dependencies.js:40748 +#: dist/converse-no-dependencies.js:41348 #, fuzzy msgid "This groupchat now shows unavailable members" msgstr "Этот чат показывает недоступных собеседников" -#: dist/converse-no-dependencies.js:40749 +#: dist/converse-no-dependencies.js:41349 #, fuzzy msgid "This groupchat does not show unavailable members" msgstr "Этот чат не показывает недоступных собеседников" -#: dist/converse-no-dependencies.js:40750 +#: dist/converse-no-dependencies.js:41350 #, fuzzy msgid "The groupchat configuration has changed" msgstr "Настройки комнаты изменились" -#: dist/converse-no-dependencies.js:40751 +#: dist/converse-no-dependencies.js:41351 #, fuzzy msgid "groupchat logging is now enabled" msgstr "Протокол чата включен" -#: dist/converse-no-dependencies.js:40752 +#: dist/converse-no-dependencies.js:41352 #, fuzzy msgid "groupchat logging is now disabled" msgstr "Протокол чата выключен" -#: dist/converse-no-dependencies.js:40753 +#: dist/converse-no-dependencies.js:41353 #, fuzzy msgid "This groupchat is now no longer anonymous" msgstr "Эта комната больше не анонимная" -#: dist/converse-no-dependencies.js:40754 +#: dist/converse-no-dependencies.js:41354 #, fuzzy msgid "This groupchat is now semi-anonymous" msgstr "Этот чат частично анонимный" -#: dist/converse-no-dependencies.js:40755 +#: dist/converse-no-dependencies.js:41355 #, fuzzy msgid "This groupchat is now fully-anonymous" msgstr "Этот чат стал полностью анонимный" -#: dist/converse-no-dependencies.js:40756 +#: dist/converse-no-dependencies.js:41356 #, fuzzy msgid "A new groupchat has been created" msgstr "Появился новый чат" -#: dist/converse-no-dependencies.js:40759 +#: dist/converse-no-dependencies.js:41359 #, fuzzy msgid "You have been banned from this groupchat" msgstr "Вам запрещено подключатся к этому чату" -#: dist/converse-no-dependencies.js:40760 +#: dist/converse-no-dependencies.js:41360 #, fuzzy msgid "You have been kicked from this groupchat" msgstr "Вас выкинули из чата" -#: dist/converse-no-dependencies.js:40761 +#: dist/converse-no-dependencies.js:41361 #, fuzzy msgid "" "You have been removed from this groupchat because of an affiliation change" msgstr "Вас удалили из-за изменения прав" -#: dist/converse-no-dependencies.js:40762 +#: dist/converse-no-dependencies.js:41362 #, fuzzy msgid "" "You have been removed from this groupchat because the groupchat has changed " @@ -402,7 +402,7 @@ msgstr "" "Вы отключены от чата, потому что он теперь только для участников и вы не " "являетесь членом" -#: dist/converse-no-dependencies.js:40763 +#: dist/converse-no-dependencies.js:41363 #, fuzzy msgid "" "You have been removed from this groupchat because the service hosting it is " @@ -421,257 +421,257 @@ msgstr "" #. * can then at least tell gettext to scan for it so that these #. * strings are picked up by the translation machinery. #. -#: dist/converse-no-dependencies.js:40776 +#: dist/converse-no-dependencies.js:41376 #, javascript-format msgid "%1$s has been banned" msgstr "%1$s был забанен" -#: dist/converse-no-dependencies.js:40777 +#: dist/converse-no-dependencies.js:41377 #, javascript-format msgid "%1$s's nickname has changed" msgstr "%1$s сменил псевдоним" -#: dist/converse-no-dependencies.js:40778 +#: dist/converse-no-dependencies.js:41378 #, javascript-format msgid "%1$s has been kicked out" msgstr "%1$s был выкинут" -#: dist/converse-no-dependencies.js:40779 +#: dist/converse-no-dependencies.js:41379 #, javascript-format msgid "%1$s has been removed because of an affiliation change" msgstr "%1$s был удален из-за изменения членства" -#: dist/converse-no-dependencies.js:40780 +#: dist/converse-no-dependencies.js:41380 #, javascript-format msgid "%1$s has been removed for not being a member" msgstr "%1$s был удален из-за того, что не являлся членом" -#: dist/converse-no-dependencies.js:40783 +#: dist/converse-no-dependencies.js:41383 #, javascript-format msgid "Your nickname has been automatically set to %1$s" msgstr "Ваш псевдоним был автоматически изменён на: %1$s" -#: dist/converse-no-dependencies.js:40784 +#: dist/converse-no-dependencies.js:41384 #, javascript-format msgid "Your nickname has been changed to %1$s" msgstr "Ваш псевдоним был изменён на: %1$s" -#: dist/converse-no-dependencies.js:40815 +#: dist/converse-no-dependencies.js:41415 msgid "Description:" msgstr "Описание:" -#: dist/converse-no-dependencies.js:40816 +#: dist/converse-no-dependencies.js:41416 #, fuzzy msgid "Groupchat Address (JID):" msgstr "Адрес комнаты (идентификатор):" -#: dist/converse-no-dependencies.js:40817 +#: dist/converse-no-dependencies.js:41417 #, fuzzy msgid "Participants:" msgstr "Участники:" -#: dist/converse-no-dependencies.js:40818 +#: dist/converse-no-dependencies.js:41418 msgid "Features:" msgstr "Свойства:" -#: dist/converse-no-dependencies.js:40819 +#: dist/converse-no-dependencies.js:41419 msgid "Requires authentication" msgstr "Требуется авторизация" -#: dist/converse-no-dependencies.js:40820 -#: dist/converse-no-dependencies.js:51007 -#: dist/converse-no-dependencies.js:51163 +#: dist/converse-no-dependencies.js:41420 +#: dist/converse-no-dependencies.js:51616 +#: dist/converse-no-dependencies.js:51772 msgid "Hidden" msgstr "Скрыто" -#: dist/converse-no-dependencies.js:40821 +#: dist/converse-no-dependencies.js:41421 msgid "Requires an invitation" msgstr "Требуется приглашение" -#: dist/converse-no-dependencies.js:40822 -#: dist/converse-no-dependencies.js:51071 -#: dist/converse-no-dependencies.js:51227 +#: dist/converse-no-dependencies.js:41422 +#: dist/converse-no-dependencies.js:51680 +#: dist/converse-no-dependencies.js:51836 msgid "Moderated" msgstr "Модерируемая" -#: dist/converse-no-dependencies.js:40823 +#: dist/converse-no-dependencies.js:41423 msgid "Non-anonymous" msgstr "Не анонимная" -#: dist/converse-no-dependencies.js:40824 -#: dist/converse-no-dependencies.js:51031 -#: dist/converse-no-dependencies.js:51187 +#: dist/converse-no-dependencies.js:41424 +#: dist/converse-no-dependencies.js:51640 +#: dist/converse-no-dependencies.js:51796 msgid "Open" msgstr "Открыть" -#: dist/converse-no-dependencies.js:40825 +#: dist/converse-no-dependencies.js:41425 #, fuzzy msgid "Permanent" msgstr "Постоянный чат" -#: dist/converse-no-dependencies.js:40826 -#: dist/converse-no-dependencies.js:51015 -#: dist/converse-no-dependencies.js:51171 +#: dist/converse-no-dependencies.js:41426 +#: dist/converse-no-dependencies.js:51624 +#: dist/converse-no-dependencies.js:51780 msgid "Public" msgstr "Публичный" -#: dist/converse-no-dependencies.js:40827 -#: dist/converse-no-dependencies.js:51063 -#: dist/converse-no-dependencies.js:51219 +#: dist/converse-no-dependencies.js:41427 +#: dist/converse-no-dependencies.js:51672 +#: dist/converse-no-dependencies.js:51828 msgid "Semi-anonymous" msgstr "Частично анонимный" -#: dist/converse-no-dependencies.js:40828 -#: dist/converse-no-dependencies.js:51047 -#: dist/converse-no-dependencies.js:51203 +#: dist/converse-no-dependencies.js:41428 +#: dist/converse-no-dependencies.js:51656 +#: dist/converse-no-dependencies.js:51812 msgid "Temporary" msgstr "Временный" -#: dist/converse-no-dependencies.js:40829 +#: dist/converse-no-dependencies.js:41429 msgid "Unmoderated" msgstr "Немодерируемый" -#: dist/converse-no-dependencies.js:40865 +#: dist/converse-no-dependencies.js:41465 #, fuzzy msgid "Query for Groupchats" msgstr "Запросить список комнат" -#: dist/converse-no-dependencies.js:40866 +#: dist/converse-no-dependencies.js:41466 msgid "Server address" msgstr "Адрес сервера" -#: dist/converse-no-dependencies.js:40867 +#: dist/converse-no-dependencies.js:41467 #, fuzzy msgid "Show groupchats" msgstr "Группы" -#: dist/converse-no-dependencies.js:40868 +#: dist/converse-no-dependencies.js:41468 msgid "conference.example.org" msgstr "например, conference.example.org" -#: dist/converse-no-dependencies.js:40917 +#: dist/converse-no-dependencies.js:41517 #, fuzzy msgid "No groupchats found" msgstr "Комнаты не найдены" -#: dist/converse-no-dependencies.js:40934 +#: dist/converse-no-dependencies.js:41534 #, fuzzy msgid "Groupchats found:" msgstr "Группы" -#: dist/converse-no-dependencies.js:40984 +#: dist/converse-no-dependencies.js:41584 #, fuzzy msgid "Enter a new Groupchat" msgstr "Войти в новую комнату" -#: dist/converse-no-dependencies.js:40985 +#: dist/converse-no-dependencies.js:41585 #, fuzzy msgid "Groupchat address" msgstr "Адрес комнаты (идентификатор):" -#: dist/converse-no-dependencies.js:40986 -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:41586 +#: dist/converse-no-dependencies.js:49410 msgid "Optional nickname" msgstr "Имя пользователя по умолчанию" -#: dist/converse-no-dependencies.js:40987 +#: dist/converse-no-dependencies.js:41587 msgid "name@conference.example.org" msgstr "например, name@conference.example.org" -#: dist/converse-no-dependencies.js:40988 +#: dist/converse-no-dependencies.js:41588 msgid "Join" msgstr "Присоединиться" -#: dist/converse-no-dependencies.js:41036 +#: dist/converse-no-dependencies.js:41636 #, fuzzy, javascript-format msgid "Groupchat info for %1$s" msgstr "Уведомление от %1$s" -#: dist/converse-no-dependencies.js:41212 +#: dist/converse-no-dependencies.js:41812 #, fuzzy, javascript-format msgid "%1$s is no longer an admin of this groupchat" msgstr "%1$s вошёл и покинул комнату" -#: dist/converse-no-dependencies.js:41214 +#: dist/converse-no-dependencies.js:41814 #, fuzzy, javascript-format msgid "%1$s is no longer an owner of this groupchat" msgstr "Предоставить права владельца на этот чат" -#: dist/converse-no-dependencies.js:41216 +#: dist/converse-no-dependencies.js:41816 #, fuzzy, javascript-format msgid "%1$s is no longer banned from this groupchat" msgstr "Вам запрещено подключатся к этому чату" -#: dist/converse-no-dependencies.js:41220 +#: dist/converse-no-dependencies.js:41820 #, fuzzy, javascript-format msgid "%1$s is no longer a permanent member of this groupchat" msgstr "Вы не находитесь в списке членов этой комнаты." -#: dist/converse-no-dependencies.js:41224 +#: dist/converse-no-dependencies.js:41824 #, fuzzy, javascript-format msgid "%1$s is now a permanent member of this groupchat" msgstr "Вы не находитесь в списке членов этой комнаты." -#: dist/converse-no-dependencies.js:41226 +#: dist/converse-no-dependencies.js:41826 #, fuzzy, javascript-format msgid "%1$s has been banned from this groupchat" msgstr "Вам запрещено подключатся к этому чату" -#: dist/converse-no-dependencies.js:41228 +#: dist/converse-no-dependencies.js:41828 #, fuzzy, javascript-format msgid "%1$s is now an " msgstr "%1$s теперь модератор." -#: dist/converse-no-dependencies.js:41235 +#: dist/converse-no-dependencies.js:41835 #, fuzzy, javascript-format msgid "%1$s is no longer a moderator" msgstr "%1$s больше не модератор." -#: dist/converse-no-dependencies.js:41239 +#: dist/converse-no-dependencies.js:41839 #, fuzzy, javascript-format msgid "%1$s has been given a voice again" msgstr "%1$s снова получил возможность голоса." -#: dist/converse-no-dependencies.js:41243 +#: dist/converse-no-dependencies.js:41843 #, fuzzy, javascript-format msgid "%1$s has been muted" msgstr "%1$s был приглушён." -#: dist/converse-no-dependencies.js:41247 +#: dist/converse-no-dependencies.js:41847 #, fuzzy, javascript-format msgid "%1$s is now a moderator" msgstr "%1$s теперь модератор." -#: dist/converse-no-dependencies.js:41255 +#: dist/converse-no-dependencies.js:41855 #, fuzzy msgid "Close and leave this groupchat" msgstr "Закрыть и покинуть эту комнату" -#: dist/converse-no-dependencies.js:41256 +#: dist/converse-no-dependencies.js:41856 #, fuzzy msgid "Configure this groupchat" msgstr "Настроить эту комнату" -#: dist/converse-no-dependencies.js:41257 +#: dist/converse-no-dependencies.js:41857 #, fuzzy msgid "Show more details about this groupchat" msgstr "Показать больше информации об этом чате" -#: dist/converse-no-dependencies.js:41297 +#: dist/converse-no-dependencies.js:41897 #, fuzzy msgid "Hide the list of participants" msgstr "Спрятать список участников" -#: dist/converse-no-dependencies.js:41413 +#: dist/converse-no-dependencies.js:42013 msgid "Forbidden: you do not have the necessary role in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41425 +#: dist/converse-no-dependencies.js:42025 msgid "" "Forbidden: you do not have the necessary affiliation in order to do that." msgstr "" -#: dist/converse-no-dependencies.js:41436 +#: dist/converse-no-dependencies.js:42036 #, javascript-format msgid "" "Error: the \"%1$s\" command takes two arguments, the user's nickname and " @@ -680,88 +680,88 @@ msgstr "" "Ошибка: команда \"%1$s\" принимает два аргумента, пользовательский псевдоним " "и (опционально) причину." -#: dist/converse-no-dependencies.js:41445 +#: dist/converse-no-dependencies.js:42045 #, javascript-format msgid "Error: couldn't find a groupchat participant \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:41454 +#: dist/converse-no-dependencies.js:42054 msgid "" "Sorry, an error happened while running the command. Check your browser's " "developer console for details." msgstr "" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user's affiliation to admin" msgstr "Дать права администратора" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Ban user from groupchat" msgstr "Забанить пользователя в этом чате" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change user role to participant" msgstr "Изменить роль пользователя на \"участник\"" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Kick user from groupchat" msgstr "Удалить пользователя из чата" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Write in 3rd person" msgstr "Писать в третьем лице" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant membership to a user" msgstr "Сделать пользователя участником" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Remove user's ability to post messages" msgstr "Запретить отправку сообщений" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Change your nickname" msgstr "Изменить свой псевдоним" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Grant moderator role to user" msgstr "Предоставить права модератора пользователю" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Grant ownership of this groupchat" msgstr "Предоставить права владельца на этот чат" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Register a nickname for this room" msgstr "Имя для этой закладки:" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Revoke user's membership" msgstr "Отозвать членство пользователя" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Set groupchat subject" msgstr "Установить тему комнаты" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 #, fuzzy msgid "Set groupchat subject (alias for /subject)" msgstr "Установить тему комнаты (псевдоним для темы)" -#: dist/converse-no-dependencies.js:41513 +#: dist/converse-no-dependencies.js:42113 msgid "Allow muted user to post messages" msgstr "Разрешить заглушенным пользователям отправлять сообщения" -#: dist/converse-no-dependencies.js:41598 +#: dist/converse-no-dependencies.js:42198 msgid "Error: invalid number of arguments" msgstr "" -#: dist/converse-no-dependencies.js:41848 +#: dist/converse-no-dependencies.js:42448 msgid "" "The nickname you chose is reserved or currently in use, please choose a " "different one." @@ -769,199 +769,199 @@ msgstr "" "Выбранный вами псевдоним зарезервирован или используется в настоящее время, " "выберите другой." -#: dist/converse-no-dependencies.js:41874 +#: dist/converse-no-dependencies.js:42474 msgid "Please choose your nickname" msgstr "Пожалуйста, выберите свой псевдоним" -#: dist/converse-no-dependencies.js:41875 -#: dist/converse-no-dependencies.js:46177 -#: dist/converse-no-dependencies.js:53489 +#: dist/converse-no-dependencies.js:42475 +#: dist/converse-no-dependencies.js:46786 +#: dist/converse-no-dependencies.js:54098 msgid "Nickname" msgstr "Псевдоним" -#: dist/converse-no-dependencies.js:41876 +#: dist/converse-no-dependencies.js:42476 #, fuzzy msgid "Enter groupchat" msgstr "Войти в комнату" -#: dist/converse-no-dependencies.js:41897 +#: dist/converse-no-dependencies.js:42497 #, fuzzy msgid "This groupchat requires a password" msgstr "Для доступа в чат необходим пароль" -#: dist/converse-no-dependencies.js:41898 +#: dist/converse-no-dependencies.js:42498 msgid "Password: " msgstr "Пароль: " -#: dist/converse-no-dependencies.js:41899 +#: dist/converse-no-dependencies.js:42499 msgid "Submit" msgstr "Отправить" -#: dist/converse-no-dependencies.js:42021 +#: dist/converse-no-dependencies.js:42621 #, javascript-format msgid "This action was done by %1$s." msgstr "Это действие было выполнено %1$s." -#: dist/converse-no-dependencies.js:42025 -#: dist/converse-no-dependencies.js:42043 +#: dist/converse-no-dependencies.js:42625 +#: dist/converse-no-dependencies.js:42643 #, javascript-format msgid "The reason given is: \"%1$s\"." msgstr "Причиной является: \"%1$s\"." -#: dist/converse-no-dependencies.js:42075 +#: dist/converse-no-dependencies.js:42675 #, fuzzy, javascript-format msgid "%1$s has left and re-entered the groupchat" msgstr "%1$s перезашел в комнату" -#: dist/converse-no-dependencies.js:42088 +#: dist/converse-no-dependencies.js:42688 #, fuzzy, javascript-format msgid "%1$s has entered the groupchat" msgstr "%1$s вошёл в комнату" -#: dist/converse-no-dependencies.js:42090 +#: dist/converse-no-dependencies.js:42690 #, fuzzy, javascript-format msgid "%1$s has entered the groupchat. \"%2$s\"" msgstr "%1$s вошёл в комнату. \"%2$s\"" -#: dist/converse-no-dependencies.js:42125 +#: dist/converse-no-dependencies.js:42725 #, fuzzy, javascript-format msgid "%1$s has entered and left the groupchat" msgstr "%1$s вошёл и покинул комнату" -#: dist/converse-no-dependencies.js:42127 +#: dist/converse-no-dependencies.js:42727 #, fuzzy, javascript-format msgid "%1$s has entered and left the groupchat. \"%2$s\"" msgstr "%1$s вошёл и покинул комнату. \"%2$s\"" -#: dist/converse-no-dependencies.js:42147 +#: dist/converse-no-dependencies.js:42747 #, fuzzy, javascript-format msgid "%1$s has left the groupchat" msgstr "%1$s покинул комнату" -#: dist/converse-no-dependencies.js:42149 +#: dist/converse-no-dependencies.js:42749 #, fuzzy, javascript-format msgid "%1$s has left the groupchat. \"%2$s\"" msgstr "%1$s покинул комнату. \"%2$s\"" -#: dist/converse-no-dependencies.js:42196 +#: dist/converse-no-dependencies.js:42796 #, fuzzy msgid "You are not on the member list of this groupchat." msgstr "Вы не находитесь в списке членов этой комнаты." -#: dist/converse-no-dependencies.js:42198 +#: dist/converse-no-dependencies.js:42798 #, fuzzy msgid "You have been banned from this groupchat." msgstr "Вам был ограничен доступ к этой комнате." -#: dist/converse-no-dependencies.js:42202 +#: dist/converse-no-dependencies.js:42802 msgid "No nickname was specified." msgstr "Псевдоним не был указан." -#: dist/converse-no-dependencies.js:42206 +#: dist/converse-no-dependencies.js:42806 #, fuzzy msgid "You are not allowed to create new groupchats." msgstr "Вам не разрешено создавать новые комнаты." -#: dist/converse-no-dependencies.js:42208 +#: dist/converse-no-dependencies.js:42808 #, fuzzy msgid "Your nickname doesn't conform to this groupchat's policies." msgstr "Ваш псевдоним не соответствует правилам этой комнаты." -#: dist/converse-no-dependencies.js:42212 +#: dist/converse-no-dependencies.js:42812 #, fuzzy msgid "This groupchat does not (yet) exist." msgstr "Эта комната не существует (пока)." -#: dist/converse-no-dependencies.js:42214 +#: dist/converse-no-dependencies.js:42814 #, fuzzy msgid "This groupchat has reached its maximum number of participants." msgstr "Эта комната достигла максимального количества участников." -#: dist/converse-no-dependencies.js:42216 +#: dist/converse-no-dependencies.js:42816 msgid "Remote server not found" msgstr "" -#: dist/converse-no-dependencies.js:42221 +#: dist/converse-no-dependencies.js:42821 #, fuzzy, javascript-format msgid "The explanation given is: \"%1$s\"." msgstr "Причиной является: \"%1$s\"." -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, javascript-format msgid "Topic set by %1$s" msgstr "Тему установил(а) %1$s" -#: dist/converse-no-dependencies.js:42270 +#: dist/converse-no-dependencies.js:42870 #, fuzzy, javascript-format msgid "Topic cleared by %1$s" msgstr "Тему установил(а) %1$s" -#: dist/converse-no-dependencies.js:42303 +#: dist/converse-no-dependencies.js:42903 #, fuzzy msgid "Groupchats" msgstr "Группы" -#: dist/converse-no-dependencies.js:42304 +#: dist/converse-no-dependencies.js:42904 #, fuzzy msgid "Add a new groupchat" msgstr "Войти в новую комнату" -#: dist/converse-no-dependencies.js:42305 +#: dist/converse-no-dependencies.js:42905 #, fuzzy msgid "Query for groupchats" msgstr "Запросить список комнат" -#: dist/converse-no-dependencies.js:42343 +#: dist/converse-no-dependencies.js:42943 #, javascript-format msgid "Click to mention %1$s in your message." msgstr "Нажмите, чтобы упомянуть %1$s в вашем сообщении." -#: dist/converse-no-dependencies.js:42344 +#: dist/converse-no-dependencies.js:42944 msgid "This user is a moderator." msgstr "Этот пользователь является модератором." -#: dist/converse-no-dependencies.js:42345 +#: dist/converse-no-dependencies.js:42945 #, fuzzy msgid "This user can send messages in this groupchat." msgstr "Этот пользователь может отправлять сообщения в этой комнате." -#: dist/converse-no-dependencies.js:42346 +#: dist/converse-no-dependencies.js:42946 #, fuzzy msgid "This user can NOT send messages in this groupchat." msgstr "Этот пользователь НЕ может отправлять сообщения в этой комнате." -#: dist/converse-no-dependencies.js:42347 +#: dist/converse-no-dependencies.js:42947 #, fuzzy msgid "Moderator" msgstr "Модерируемая" -#: dist/converse-no-dependencies.js:42348 +#: dist/converse-no-dependencies.js:42948 msgid "Visitor" msgstr "" -#: dist/converse-no-dependencies.js:42349 +#: dist/converse-no-dependencies.js:42949 msgid "Owner" msgstr "" -#: dist/converse-no-dependencies.js:42350 +#: dist/converse-no-dependencies.js:42950 #, fuzzy msgid "Member" msgstr "Только для членов" -#: dist/converse-no-dependencies.js:42351 +#: dist/converse-no-dependencies.js:42951 msgid "Admin" msgstr "" -#: dist/converse-no-dependencies.js:42393 +#: dist/converse-no-dependencies.js:42993 msgid "Participants" msgstr "" -#: dist/converse-no-dependencies.js:42410 -#: dist/converse-no-dependencies.js:42491 +#: dist/converse-no-dependencies.js:43010 +#: dist/converse-no-dependencies.js:43091 msgid "Invite" msgstr "Пригласить" -#: dist/converse-no-dependencies.js:42468 +#: dist/converse-no-dependencies.js:43068 #, fuzzy, javascript-format msgid "" "You are about to invite %1$s to the groupchat \"%2$s\". You may optionally " @@ -970,277 +970,277 @@ msgstr "" "Вы собираетесь пригласить %1$s в комнату \"%2$s\". Вы можете по желанию " "прикрепить сообщение, объясняющее причину приглашения." -#: dist/converse-no-dependencies.js:42490 +#: dist/converse-no-dependencies.js:43090 msgid "Please enter a valid XMPP username" msgstr "Пожалуйста, введите доступный псевдоним XMPP" -#: dist/converse-no-dependencies.js:43621 +#: dist/converse-no-dependencies.js:44221 #, fuzzy msgid "You're not allowed to register yourself in this groupchat." msgstr "Вам не разрешено создавать новые комнаты." -#: dist/converse-no-dependencies.js:43623 +#: dist/converse-no-dependencies.js:44223 #, fuzzy msgid "" "You're not allowed to register in this groupchat because it's members-only." msgstr "Вам не разрешено создавать новые комнаты." -#: dist/converse-no-dependencies.js:43656 +#: dist/converse-no-dependencies.js:44256 msgid "" "Can't register your nickname in this groupchat, it doesn't support " "registration." msgstr "" -#: dist/converse-no-dependencies.js:43658 +#: dist/converse-no-dependencies.js:44258 msgid "" "Can't register your nickname in this groupchat, invalid data form supplied." msgstr "" -#: dist/converse-no-dependencies.js:44118 +#: dist/converse-no-dependencies.js:44718 #, fuzzy, javascript-format msgid "%1$s has invited you to join a groupchat: %2$s" msgstr "%1$s пригласил вас в чат: %2$s" -#: dist/converse-no-dependencies.js:44120 +#: dist/converse-no-dependencies.js:44720 #, fuzzy, javascript-format msgid "" "%1$s has invited you to join a groupchat: %2$s, and left the following " "reason: \"%3$s\"" msgstr "%1$s пригласил вас в чат: %2$s, по следующей причине: \"%3$s\"" -#: dist/converse-no-dependencies.js:44209 +#: dist/converse-no-dependencies.js:44809 #, fuzzy msgid "Error: the groupchat " msgstr "Войти в комнату" -#: dist/converse-no-dependencies.js:44211 +#: dist/converse-no-dependencies.js:44811 #, fuzzy msgid "Sorry, you're not allowed to registerd in this groupchat" msgstr "Вам не разрешено создавать новые комнаты." #. workaround for Prosody which doesn't give type "headline" -#: dist/converse-no-dependencies.js:44596 -#: dist/converse-no-dependencies.js:44602 +#: dist/converse-no-dependencies.js:45196 +#: dist/converse-no-dependencies.js:45202 #, javascript-format msgid "Notification from %1$s" msgstr "Уведомление от %1$s" -#: dist/converse-no-dependencies.js:44604 -#: dist/converse-no-dependencies.js:44615 -#: dist/converse-no-dependencies.js:44618 +#: dist/converse-no-dependencies.js:45204 +#: dist/converse-no-dependencies.js:45215 +#: dist/converse-no-dependencies.js:45218 #, javascript-format msgid "%1$s says" msgstr "%1$s говорит" #. TODO: we should suppress notifications if we cannot decrypt #. the message... -#: dist/converse-no-dependencies.js:44627 +#: dist/converse-no-dependencies.js:45227 #, fuzzy msgid "OMEMO Message received" msgstr "Архивация сообщений" -#: dist/converse-no-dependencies.js:44654 +#: dist/converse-no-dependencies.js:45254 msgid "has gone offline" msgstr "вышел из сети" -#: dist/converse-no-dependencies.js:44656 +#: dist/converse-no-dependencies.js:45256 msgid "has gone away" msgstr "отошёл" -#: dist/converse-no-dependencies.js:44658 +#: dist/converse-no-dependencies.js:45258 msgid "is busy" msgstr "занят" -#: dist/converse-no-dependencies.js:44660 +#: dist/converse-no-dependencies.js:45260 msgid "has come online" msgstr "появился в сети" -#: dist/converse-no-dependencies.js:44677 +#: dist/converse-no-dependencies.js:45277 msgid "wants to be your contact" msgstr "хочет быть в вашем списке контактов" -#: dist/converse-no-dependencies.js:44898 +#: dist/converse-no-dependencies.js:45498 #, fuzzy msgid "Sorry, an error occurred while trying to remove the devices." msgstr "При сохранение формы произошла ошибка." -#: dist/converse-no-dependencies.js:45021 +#: dist/converse-no-dependencies.js:45630 msgid "Sorry, could not decrypt a received OMEMO message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:45172 +#: dist/converse-no-dependencies.js:45781 msgid "" "This is an OMEMO encrypted message which your client doesn’t seem to " "support. Find more information on https://conversations.im/omemo" msgstr "" -#: dist/converse-no-dependencies.js:45233 +#: dist/converse-no-dependencies.js:45842 msgid "Sorry, could not send the message due to an error." msgstr "" -#: dist/converse-no-dependencies.js:46171 +#: dist/converse-no-dependencies.js:46780 msgid "Your avatar image" msgstr "" -#: dist/converse-no-dependencies.js:46172 +#: dist/converse-no-dependencies.js:46781 msgid "Your Profile" msgstr "Ваш профиль" -#: dist/converse-no-dependencies.js:46173 -#: dist/converse-no-dependencies.js:46263 -#: dist/converse-no-dependencies.js:51093 -#: dist/converse-no-dependencies.js:52260 -#: dist/converse-no-dependencies.js:53463 -#: dist/converse-no-dependencies.js:53583 +#: dist/converse-no-dependencies.js:46782 +#: dist/converse-no-dependencies.js:46872 +#: dist/converse-no-dependencies.js:51702 +#: dist/converse-no-dependencies.js:52869 +#: dist/converse-no-dependencies.js:54072 +#: dist/converse-no-dependencies.js:54192 msgid "Close" msgstr "Закрыть" -#: dist/converse-no-dependencies.js:46174 -#: dist/converse-no-dependencies.js:53507 +#: dist/converse-no-dependencies.js:46783 +#: dist/converse-no-dependencies.js:54116 msgid "Email" msgstr "" -#: dist/converse-no-dependencies.js:46175 -#: dist/converse-no-dependencies.js:53477 +#: dist/converse-no-dependencies.js:46784 +#: dist/converse-no-dependencies.js:54086 #, fuzzy msgid "Full Name" msgstr "Имя" -#: dist/converse-no-dependencies.js:46176 +#: dist/converse-no-dependencies.js:46785 #, fuzzy msgid "XMPP Address (JID)" msgstr "XMPP адрес" -#: dist/converse-no-dependencies.js:46178 -#: dist/converse-no-dependencies.js:53517 +#: dist/converse-no-dependencies.js:46787 +#: dist/converse-no-dependencies.js:54126 msgid "Role" msgstr "" -#: dist/converse-no-dependencies.js:46179 +#: dist/converse-no-dependencies.js:46788 msgid "" "Use commas to separate multiple roles. Your roles are shown next to your " "name on your chat messages." msgstr "" -#: dist/converse-no-dependencies.js:46180 -#: dist/converse-no-dependencies.js:53497 +#: dist/converse-no-dependencies.js:46789 +#: dist/converse-no-dependencies.js:54106 msgid "URL" msgstr "" -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 #, fuzzy msgid "Sorry, an error happened while trying to save your profile data." msgstr "" "Извините, что-то пошло не так в момент попытки сохранить вашу закладку." -#: dist/converse-no-dependencies.js:46214 +#: dist/converse-no-dependencies.js:46823 msgid "You can check your browser's developer console for any error output." msgstr "" -#: dist/converse-no-dependencies.js:46262 -#: dist/converse-no-dependencies.js:48927 +#: dist/converse-no-dependencies.js:46871 +#: dist/converse-no-dependencies.js:49536 msgid "Away" msgstr "Отошёл" -#: dist/converse-no-dependencies.js:46264 -#: dist/converse-no-dependencies.js:48926 +#: dist/converse-no-dependencies.js:46873 +#: dist/converse-no-dependencies.js:49535 msgid "Busy" msgstr "Занят" -#: dist/converse-no-dependencies.js:46266 +#: dist/converse-no-dependencies.js:46875 msgid "Custom status" msgstr "Произвольный статус" -#: dist/converse-no-dependencies.js:46267 -#: dist/converse-no-dependencies.js:48929 +#: dist/converse-no-dependencies.js:46876 +#: dist/converse-no-dependencies.js:49538 msgid "Offline" msgstr "Не в сети" -#: dist/converse-no-dependencies.js:46268 -#: dist/converse-no-dependencies.js:48924 +#: dist/converse-no-dependencies.js:46877 +#: dist/converse-no-dependencies.js:49533 msgid "Online" msgstr "В сети" -#: dist/converse-no-dependencies.js:46270 +#: dist/converse-no-dependencies.js:46879 msgid "Away for long" msgstr "Давно отсутствует" -#: dist/converse-no-dependencies.js:46271 +#: dist/converse-no-dependencies.js:46880 msgid "Change chat status" msgstr "Изменить статус чата" -#: dist/converse-no-dependencies.js:46272 +#: dist/converse-no-dependencies.js:46881 #, fuzzy msgid "Personal status message" msgstr "Сообщение о личном статусе" -#: dist/converse-no-dependencies.js:46317 +#: dist/converse-no-dependencies.js:46926 #, javascript-format msgid "I am %1$s" msgstr "Я %1$s" -#: dist/converse-no-dependencies.js:46320 +#: dist/converse-no-dependencies.js:46929 msgid "Change settings" msgstr "Изменить настройки" -#: dist/converse-no-dependencies.js:46321 +#: dist/converse-no-dependencies.js:46930 msgid "Click to change your chat status" msgstr "Изменить ваш статус" -#: dist/converse-no-dependencies.js:46322 +#: dist/converse-no-dependencies.js:46931 msgid "Log out" msgstr "Выйти" -#: dist/converse-no-dependencies.js:46323 +#: dist/converse-no-dependencies.js:46932 msgid "Your profile" msgstr "Ваш профиль" -#: dist/converse-no-dependencies.js:46349 +#: dist/converse-no-dependencies.js:46958 msgid "Are you sure you want to log out?" msgstr "Вы уверены, что хотите выйти?" -#: dist/converse-no-dependencies.js:46357 -#: dist/converse-no-dependencies.js:46367 +#: dist/converse-no-dependencies.js:46966 +#: dist/converse-no-dependencies.js:46976 msgid "online" msgstr "на связи" -#: dist/converse-no-dependencies.js:46359 +#: dist/converse-no-dependencies.js:46968 msgid "busy" msgstr "занят" -#: dist/converse-no-dependencies.js:46361 +#: dist/converse-no-dependencies.js:46970 msgid "away for long" msgstr "отошёл надолго" -#: dist/converse-no-dependencies.js:46363 +#: dist/converse-no-dependencies.js:46972 msgid "away" msgstr "отошёл" -#: dist/converse-no-dependencies.js:46365 +#: dist/converse-no-dependencies.js:46974 msgid "offline" msgstr "Не в сети" -#: dist/converse-no-dependencies.js:46698 +#: dist/converse-no-dependencies.js:47307 msgid " e.g. conversejs.org" msgstr " например, conversejs.org" -#: dist/converse-no-dependencies.js:46745 +#: dist/converse-no-dependencies.js:47354 msgid "Fetch registration form" msgstr "Получить форму регистрации" -#: dist/converse-no-dependencies.js:46746 +#: dist/converse-no-dependencies.js:47355 msgid "Tip: A list of public XMPP providers is available" msgstr "Совет. Список публичных XMPP провайдеров доступен" -#: dist/converse-no-dependencies.js:46747 +#: dist/converse-no-dependencies.js:47356 msgid "here" msgstr "здесь" -#: dist/converse-no-dependencies.js:46795 +#: dist/converse-no-dependencies.js:47404 msgid "Sorry, we're unable to connect to your chosen provider." msgstr "К сожалению, мы не можем подключиться к выбранному вами провайдеру." -#: dist/converse-no-dependencies.js:46811 +#: dist/converse-no-dependencies.js:47420 msgid "" "Sorry, the given provider does not support in band account registration. " "Please try with a different provider." @@ -1248,7 +1248,7 @@ msgstr "" "К сожалению, провайдер не поддерживает регистрацию аккаунта через клиентское " "приложение. Пожалуйста попробуйте выбрать другого провайдера." -#: dist/converse-no-dependencies.js:46835 +#: dist/converse-no-dependencies.js:47444 #, javascript-format msgid "" "Something went wrong while establishing a connection with \"%1$s\". Are you " @@ -1257,15 +1257,15 @@ msgstr "" "Что-то пошло не так при установке связи с \"%1$s\". Вы уверены, что такой " "адрес существует?" -#: dist/converse-no-dependencies.js:46998 +#: dist/converse-no-dependencies.js:47607 msgid "Now logging you in" msgstr "Осуществляется вход" -#: dist/converse-no-dependencies.js:47002 +#: dist/converse-no-dependencies.js:47611 msgid "Registered successfully" msgstr "Зарегистрирован успешно" -#: dist/converse-no-dependencies.js:47111 +#: dist/converse-no-dependencies.js:47720 msgid "" "The provider rejected your registration attempt. Please check the values you " "entered for correctness." @@ -1273,334 +1273,334 @@ msgstr "" "Провайдер отклонил вашу попытку зарегистрироваться. Пожалуйста, проверьте, " "правильно ли введены значения." -#: dist/converse-no-dependencies.js:47486 +#: dist/converse-no-dependencies.js:48095 #, fuzzy msgid "Click to toggle the list of open groupchats" msgstr "Нажмите, чтобы переключить список комнат" -#: dist/converse-no-dependencies.js:47487 +#: dist/converse-no-dependencies.js:48096 msgid "Open Groupchats" msgstr "" -#: dist/converse-no-dependencies.js:47531 +#: dist/converse-no-dependencies.js:48140 #, fuzzy, javascript-format msgid "Are you sure you want to leave the groupchat %1$s?" msgstr "Вы уверены, что хотите покинуть комнату \"%1$s\"?" -#: dist/converse-no-dependencies.js:48157 +#: dist/converse-no-dependencies.js:48766 #, javascript-format msgid "Sorry, there was an error while trying to add %1$s as a contact." msgstr "Прости, произошла ошибка при добавлении %1$s в качестве контакта." -#: dist/converse-no-dependencies.js:48368 +#: dist/converse-no-dependencies.js:48977 msgid "This client does not allow presence subscriptions" msgstr "Данный чат-клиент не поддерживает уведомления о статусе" -#: dist/converse-no-dependencies.js:48478 +#: dist/converse-no-dependencies.js:49087 msgid "Click to hide these contacts" msgstr "Кликните, чтобы спрятать эти контакты" -#: dist/converse-no-dependencies.js:48742 +#: dist/converse-no-dependencies.js:49351 msgid "This contact is busy" msgstr "Занят" -#: dist/converse-no-dependencies.js:48743 +#: dist/converse-no-dependencies.js:49352 msgid "This contact is online" msgstr "В сети" -#: dist/converse-no-dependencies.js:48744 +#: dist/converse-no-dependencies.js:49353 msgid "This contact is offline" msgstr "Не в сети" -#: dist/converse-no-dependencies.js:48745 +#: dist/converse-no-dependencies.js:49354 msgid "This contact is unavailable" msgstr "Недоступен" -#: dist/converse-no-dependencies.js:48746 +#: dist/converse-no-dependencies.js:49355 msgid "This contact is away for an extended period" msgstr "Надолго отошёл" -#: dist/converse-no-dependencies.js:48747 +#: dist/converse-no-dependencies.js:49356 msgid "This contact is away" msgstr "Отошёл" -#: dist/converse-no-dependencies.js:48750 +#: dist/converse-no-dependencies.js:49359 msgid "Groups" msgstr "Группы" -#: dist/converse-no-dependencies.js:48752 +#: dist/converse-no-dependencies.js:49361 msgid "My contacts" msgstr "Контакты" -#: dist/converse-no-dependencies.js:48754 +#: dist/converse-no-dependencies.js:49363 msgid "Pending contacts" msgstr "Собеседники, ожидающие авторизации" -#: dist/converse-no-dependencies.js:48756 +#: dist/converse-no-dependencies.js:49365 msgid "Contact requests" msgstr "Запросы на авторизацию" -#: dist/converse-no-dependencies.js:48758 +#: dist/converse-no-dependencies.js:49367 msgid "Ungrouped" msgstr "Несгруппированные" -#: dist/converse-no-dependencies.js:48801 +#: dist/converse-no-dependencies.js:49410 msgid "Contact name" msgstr "Имя контакта" -#: dist/converse-no-dependencies.js:48804 +#: dist/converse-no-dependencies.js:49413 msgid "Add a Contact" msgstr "Добавить контакт" -#: dist/converse-no-dependencies.js:48805 -#: dist/converse-no-dependencies.js:53483 +#: dist/converse-no-dependencies.js:49414 +#: dist/converse-no-dependencies.js:54092 msgid "XMPP Address" msgstr "XMPP адрес" -#: dist/converse-no-dependencies.js:48807 +#: dist/converse-no-dependencies.js:49416 msgid "name@example.org" msgstr "например, name@example.org" -#: dist/converse-no-dependencies.js:48808 +#: dist/converse-no-dependencies.js:49417 msgid "Add" msgstr "Добавить" -#: dist/converse-no-dependencies.js:48918 +#: dist/converse-no-dependencies.js:49527 msgid "Filter" msgstr "Фильтр" -#: dist/converse-no-dependencies.js:48919 +#: dist/converse-no-dependencies.js:49528 msgid "Filter by contact name" msgstr "Фильтр по имени" -#: dist/converse-no-dependencies.js:48920 +#: dist/converse-no-dependencies.js:49529 msgid "Filter by group name" msgstr "Фильтр по названию группы" -#: dist/converse-no-dependencies.js:48921 +#: dist/converse-no-dependencies.js:49530 msgid "Filter by status" msgstr "Фильтр по статусу" -#: dist/converse-no-dependencies.js:48922 +#: dist/converse-no-dependencies.js:49531 msgid "Any" msgstr "Любой" -#: dist/converse-no-dependencies.js:48923 +#: dist/converse-no-dependencies.js:49532 msgid "Unread" msgstr "Непрочитанно" -#: dist/converse-no-dependencies.js:48925 +#: dist/converse-no-dependencies.js:49534 msgid "Chatty" msgstr "Болтливый" -#: dist/converse-no-dependencies.js:48928 +#: dist/converse-no-dependencies.js:49537 msgid "Extended Away" msgstr "Нет на месте долгое время" -#: dist/converse-no-dependencies.js:49097 -#: dist/converse-no-dependencies.js:49154 +#: dist/converse-no-dependencies.js:49706 +#: dist/converse-no-dependencies.js:49763 #, javascript-format msgid "Click to remove %1$s as a contact" msgstr "Нажми что-бы удалить %1$s как контакт" -#: dist/converse-no-dependencies.js:49106 +#: dist/converse-no-dependencies.js:49715 #, javascript-format msgid "Click to accept the contact request from %1$s" msgstr "Кликни, что-бы принять запрос на добавление от %1$s" -#: dist/converse-no-dependencies.js:49107 +#: dist/converse-no-dependencies.js:49716 #, javascript-format msgid "Click to decline the contact request from %1$s" msgstr "Кликни, что-бы отклонить запрос на добавление от %1$s" -#: dist/converse-no-dependencies.js:49153 +#: dist/converse-no-dependencies.js:49762 #, javascript-format msgid "Click to chat with %1$s (JID: %2$s)" msgstr "Нажмите для чата с %1$s (Идентификатор Jabber: %2$s)" -#: dist/converse-no-dependencies.js:49230 +#: dist/converse-no-dependencies.js:49839 msgid "Are you sure you want to decline this contact request?" msgstr "Вы уверены, что хотите отклонить запрос от этого контакта?" -#: dist/converse-no-dependencies.js:49499 +#: dist/converse-no-dependencies.js:50108 msgid "Contacts" msgstr "Контакты" -#: dist/converse-no-dependencies.js:49500 +#: dist/converse-no-dependencies.js:50109 msgid "Add a contact" msgstr "Добавть контакт" -#: dist/converse-no-dependencies.js:50959 +#: dist/converse-no-dependencies.js:51568 #, fuzzy msgid "Name" msgstr "Имя" -#: dist/converse-no-dependencies.js:50963 +#: dist/converse-no-dependencies.js:51572 #, fuzzy msgid "Groupchat address (JID)" msgstr "Адрес комнаты (идентификатор):" -#: dist/converse-no-dependencies.js:50967 +#: dist/converse-no-dependencies.js:51576 #, fuzzy msgid "Description" msgstr "Описание:" -#: dist/converse-no-dependencies.js:50973 +#: dist/converse-no-dependencies.js:51582 msgid "Topic" msgstr "" -#: dist/converse-no-dependencies.js:50977 +#: dist/converse-no-dependencies.js:51586 msgid "Topic author" msgstr "" -#: dist/converse-no-dependencies.js:50983 +#: dist/converse-no-dependencies.js:51592 #, fuzzy msgid "Online users" msgstr "В сети" -#: dist/converse-no-dependencies.js:50987 -#: dist/converse-no-dependencies.js:51139 +#: dist/converse-no-dependencies.js:51596 +#: dist/converse-no-dependencies.js:51748 msgid "Features" msgstr "Особенности" -#: dist/converse-no-dependencies.js:50991 -#: dist/converse-no-dependencies.js:51147 +#: dist/converse-no-dependencies.js:51600 +#: dist/converse-no-dependencies.js:51756 msgid "Password protected" msgstr "Пароль защищён" -#: dist/converse-no-dependencies.js:50993 -#: dist/converse-no-dependencies.js:51145 +#: dist/converse-no-dependencies.js:51602 +#: dist/converse-no-dependencies.js:51754 #, fuzzy msgid "This groupchat requires a password before entry" msgstr "Эта комната требует ввести пароль перед входом" -#: dist/converse-no-dependencies.js:50999 +#: dist/converse-no-dependencies.js:51608 #, fuzzy msgid "No password required" msgstr "Нет пароля" -#: dist/converse-no-dependencies.js:51001 -#: dist/converse-no-dependencies.js:51153 +#: dist/converse-no-dependencies.js:51610 +#: dist/converse-no-dependencies.js:51762 #, fuzzy msgid "This groupchat does not require a password upon entry" msgstr "Эта комната не требует пароля для входа" -#: dist/converse-no-dependencies.js:51009 -#: dist/converse-no-dependencies.js:51161 +#: dist/converse-no-dependencies.js:51618 +#: dist/converse-no-dependencies.js:51770 #, fuzzy msgid "This groupchat is not publicly searchable" msgstr "Эта комната недоступна для публичного поиска" -#: dist/converse-no-dependencies.js:51017 -#: dist/converse-no-dependencies.js:51169 +#: dist/converse-no-dependencies.js:51626 +#: dist/converse-no-dependencies.js:51778 #, fuzzy msgid "This groupchat is publicly searchable" msgstr "Эта комната доступна для публичного поиска" -#: dist/converse-no-dependencies.js:51023 -#: dist/converse-no-dependencies.js:51179 +#: dist/converse-no-dependencies.js:51632 +#: dist/converse-no-dependencies.js:51788 msgid "Members only" msgstr "Только для членов" -#: dist/converse-no-dependencies.js:51025 +#: dist/converse-no-dependencies.js:51634 #, fuzzy msgid "This groupchat is restricted to members only" msgstr "Эта комната предназначена только для участников" -#: dist/converse-no-dependencies.js:51033 -#: dist/converse-no-dependencies.js:51185 +#: dist/converse-no-dependencies.js:51642 +#: dist/converse-no-dependencies.js:51794 #, fuzzy msgid "Anyone can join this groupchat" msgstr "Каждый может присоединиться к этой комнате" -#: dist/converse-no-dependencies.js:51039 -#: dist/converse-no-dependencies.js:51195 +#: dist/converse-no-dependencies.js:51648 +#: dist/converse-no-dependencies.js:51804 msgid "Persistent" msgstr "Стойкий" -#: dist/converse-no-dependencies.js:51041 -#: dist/converse-no-dependencies.js:51193 +#: dist/converse-no-dependencies.js:51650 +#: dist/converse-no-dependencies.js:51802 #, fuzzy msgid "This groupchat persists even if it's unoccupied" msgstr "Эта комната сохраняется, даже если в ней нет участников" -#: dist/converse-no-dependencies.js:51049 -#: dist/converse-no-dependencies.js:51201 +#: dist/converse-no-dependencies.js:51658 +#: dist/converse-no-dependencies.js:51810 #, fuzzy msgid "This groupchat will disappear once the last person leaves" msgstr "Эта комната исчезнет после выхода последнего человека" -#: dist/converse-no-dependencies.js:51055 -#: dist/converse-no-dependencies.js:51211 +#: dist/converse-no-dependencies.js:51664 +#: dist/converse-no-dependencies.js:51820 #, fuzzy msgid "Not anonymous" msgstr "Не анонимная" -#: dist/converse-no-dependencies.js:51057 -#: dist/converse-no-dependencies.js:51209 +#: dist/converse-no-dependencies.js:51666 +#: dist/converse-no-dependencies.js:51818 #, fuzzy msgid "All other groupchat participants can see your XMPP username" msgstr "Участники всех других комнат могут видеть ваш псевдоним XMPP" -#: dist/converse-no-dependencies.js:51065 -#: dist/converse-no-dependencies.js:51217 +#: dist/converse-no-dependencies.js:51674 +#: dist/converse-no-dependencies.js:51826 msgid "Only moderators can see your XMPP username" msgstr "Только модераторы могут видеть ваш псевдоним XMPP" -#: dist/converse-no-dependencies.js:51073 -#: dist/converse-no-dependencies.js:51225 +#: dist/converse-no-dependencies.js:51682 +#: dist/converse-no-dependencies.js:51834 #, fuzzy msgid "This groupchat is being moderated" msgstr "Эта комната модерируется" -#: dist/converse-no-dependencies.js:51079 -#: dist/converse-no-dependencies.js:51235 +#: dist/converse-no-dependencies.js:51688 +#: dist/converse-no-dependencies.js:51844 #, fuzzy msgid "Not moderated" msgstr "Немодерируемый" -#: dist/converse-no-dependencies.js:51081 -#: dist/converse-no-dependencies.js:51233 +#: dist/converse-no-dependencies.js:51690 +#: dist/converse-no-dependencies.js:51842 #, fuzzy msgid "This groupchat is not being moderated" msgstr "Эта комната не модерируется" -#: dist/converse-no-dependencies.js:51087 -#: dist/converse-no-dependencies.js:51243 +#: dist/converse-no-dependencies.js:51696 +#: dist/converse-no-dependencies.js:51852 msgid "Message archiving" msgstr "Архивация сообщений" -#: dist/converse-no-dependencies.js:51089 -#: dist/converse-no-dependencies.js:51241 +#: dist/converse-no-dependencies.js:51698 +#: dist/converse-no-dependencies.js:51850 msgid "Messages are archived on the server" msgstr "Сообщения архивируются на сервере" -#: dist/converse-no-dependencies.js:51155 +#: dist/converse-no-dependencies.js:51764 msgid "No password" msgstr "Нет пароля" -#: dist/converse-no-dependencies.js:51177 +#: dist/converse-no-dependencies.js:51786 #, fuzzy msgid "this groupchat is restricted to members only" msgstr "Эта комната предназначена только для участников" -#: dist/converse-no-dependencies.js:52082 +#: dist/converse-no-dependencies.js:52691 msgid "XMPP Username:" msgstr "XMPP Username:" -#: dist/converse-no-dependencies.js:52088 +#: dist/converse-no-dependencies.js:52697 msgid "Password:" msgstr "Пароль:" -#: dist/converse-no-dependencies.js:52090 +#: dist/converse-no-dependencies.js:52699 msgid "password" msgstr "пароль" -#: dist/converse-no-dependencies.js:52098 +#: dist/converse-no-dependencies.js:52707 msgid "This is a trusted device" msgstr "" -#: dist/converse-no-dependencies.js:52100 +#: dist/converse-no-dependencies.js:52709 msgid "" "To improve performance, we cache your data in this browser. Uncheck this box " "if this is a public computer or if you want your data to be deleted when you " @@ -1608,149 +1608,155 @@ msgid "" "cached data might be deleted." msgstr "" -#: dist/converse-no-dependencies.js:52102 +#: dist/converse-no-dependencies.js:52711 #, fuzzy msgid "Log in" msgstr "Войти" -#: dist/converse-no-dependencies.js:52108 +#: dist/converse-no-dependencies.js:52717 msgid "Click here to log in anonymously" msgstr "Нажмите здесь, чтобы войти анонимно" -#: dist/converse-no-dependencies.js:52197 +#: dist/converse-no-dependencies.js:52806 #, fuzzy msgid "This message has been edited" msgstr "Эта комната модерируется" -#: dist/converse-no-dependencies.js:52223 +#: dist/converse-no-dependencies.js:52832 #, fuzzy msgid "Edit this message" msgstr "Скрыть скрытое сообщение" -#: dist/converse-no-dependencies.js:52248 +#: dist/converse-no-dependencies.js:52857 #, fuzzy msgid "Message versions" msgstr "Архивация сообщений" -#: dist/converse-no-dependencies.js:52473 +#: dist/converse-no-dependencies.js:53082 msgid "Save and close" msgstr "" -#: dist/converse-no-dependencies.js:52477 +#: dist/converse-no-dependencies.js:53086 msgid "This device's OMEMO fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52489 +#: dist/converse-no-dependencies.js:53098 msgid "Select all" msgstr "" -#: dist/converse-no-dependencies.js:52491 +#: dist/converse-no-dependencies.js:53100 msgid "Checkbox to select fingerprints of all other OMEMO devices" msgstr "" -#: dist/converse-no-dependencies.js:52493 +#: dist/converse-no-dependencies.js:53102 msgid "Other OMEMO-enabled devices" msgstr "" -#: dist/converse-no-dependencies.js:52501 -#: dist/converse-no-dependencies.js:52509 +#: dist/converse-no-dependencies.js:53110 +#: dist/converse-no-dependencies.js:53118 msgid "Checkbox for selecting the following fingerprint" msgstr "" -#: dist/converse-no-dependencies.js:52511 +#: dist/converse-no-dependencies.js:53120 #, fuzzy msgid "Device without a fingerprint" msgstr "Проверить при помощи отпечатков" -#: dist/converse-no-dependencies.js:52517 +#: dist/converse-no-dependencies.js:53126 msgid "Remove checked devices and close" msgstr "" -#: dist/converse-no-dependencies.js:52599 +#: dist/converse-no-dependencies.js:53208 msgid "Don't have a chat account?" msgstr "Не имеете учётную запись для чата?" -#: dist/converse-no-dependencies.js:52601 +#: dist/converse-no-dependencies.js:53210 msgid "Create an account" msgstr "Создать учётную запись" -#: dist/converse-no-dependencies.js:52622 +#: dist/converse-no-dependencies.js:53231 msgid "Create your account" msgstr "Создать вашу учётную запись" -#: dist/converse-no-dependencies.js:52624 +#: dist/converse-no-dependencies.js:53233 msgid "Please enter the XMPP provider to register with:" msgstr "Пожалуйста, введите XMPP провайдера для регистрации:" -#: dist/converse-no-dependencies.js:52644 +#: dist/converse-no-dependencies.js:53253 msgid "Already have a chat account?" msgstr "Уже имеете учётную запись чата?" -#: dist/converse-no-dependencies.js:52646 +#: dist/converse-no-dependencies.js:53255 msgid "Log in here" msgstr "Вход в систему" -#: dist/converse-no-dependencies.js:52667 +#: dist/converse-no-dependencies.js:53276 msgid "Account Registration:" msgstr "Регистрация учётной записи:" -#: dist/converse-no-dependencies.js:52675 +#: dist/converse-no-dependencies.js:53284 msgid "Register" msgstr "Регистрация" -#: dist/converse-no-dependencies.js:52679 +#: dist/converse-no-dependencies.js:53288 msgid "Choose a different provider" msgstr "Выберите другого провайдера" -#: dist/converse-no-dependencies.js:52700 +#: dist/converse-no-dependencies.js:53309 msgid "Hold tight, we're fetching the registration form…" msgstr "Подождите немного, мы получаем регистрационную форму…" -#: dist/converse-no-dependencies.js:53415 +#: dist/converse-no-dependencies.js:54024 msgid "Messages are being sent in plaintext" msgstr "" -#: dist/converse-no-dependencies.js:53467 +#: dist/converse-no-dependencies.js:54076 msgid "The User's Profile Image" msgstr "" -#: dist/converse-no-dependencies.js:53525 +#: dist/converse-no-dependencies.js:54134 msgid "OMEMO Fingerprints" msgstr "" -#: dist/converse-no-dependencies.js:53549 +#: dist/converse-no-dependencies.js:54158 msgid "Trusted" msgstr "" -#: dist/converse-no-dependencies.js:53563 +#: dist/converse-no-dependencies.js:54172 msgid "Untrusted" msgstr "" -#: dist/converse-no-dependencies.js:53577 +#: dist/converse-no-dependencies.js:54186 #, fuzzy msgid "Remove as contact" msgstr "Добавть контакт" -#: dist/converse-no-dependencies.js:53581 +#: dist/converse-no-dependencies.js:54190 msgid "Refresh" msgstr "" -#: dist/converse-no-dependencies.js:53950 -#: dist/converse-no-dependencies.js:53981 +#: dist/converse-no-dependencies.js:54559 msgid "Download" msgstr "" -#: dist/converse-no-dependencies.js:53970 +#: dist/converse-no-dependencies.js:54579 #, javascript-format -msgid "Download \"%1$s\"" +msgid "Download file \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:53994 -msgid "Download video file" +#: dist/converse-no-dependencies.js:54591 +#, javascript-format +msgid "Download image \"%1$s\"" msgstr "" -#: dist/converse-no-dependencies.js:54007 -msgid "Download audio file" +#: dist/converse-no-dependencies.js:54604 +#, javascript-format +msgid "Download video file \"%1$s\"" +msgstr "" + +#: dist/converse-no-dependencies.js:54617 +#, javascript-format +msgid "Download audio file \"%1$s\"" msgstr "" #, fuzzy diff --git a/locale/tr/LC_MESSAGES/converse.json b/locale/tr/LC_MESSAGES/converse.json index 44b52eed1..b8dd92805 100644 --- a/locale/tr/LC_MESSAGES/converse.json +++ b/locale/tr/LC_MESSAGES/converse.json @@ -1 +1 @@ -{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n != 1;","lang":"tr"},"Bookmark this groupchat":[""],"The name for this bookmark:":[""],"Would you like this groupchat to be automatically joined upon startup?":[""],"What should your nickname for this groupchat be?":[""],"Save":[""],"Cancel":[""],"Are you sure you want to remove the bookmark \"%1$s\"?":[""],"Error":[""],"Sorry, something went wrong while trying to save your bookmark.":[""],"Leave this groupchat":[""],"Remove this bookmark":[""],"Unbookmark this groupchat":[""],"Show more information on this groupchat":[""],"Click to open this groupchat":[""],"Click to toggle the bookmarks list":[""],"Bookmarks":[""],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":[""],"Are you sure you want to remove this contact?":[""],"Sorry, there was an error while trying to remove %1$s as a contact.":[""],"You have unread messages":[""],"Hidden message":[""],"Message":[""],"Send":[""],"Optional hint":[""],"Choose a file to send":[""],"Click to write as a normal (non-spoiler) message":[""],"Click to write your message as a spoiler":[""],"Clear all messages":[""],"Insert emojis":[""],"Start a call":[""],"Remove messages":[""],"Write in the third person":[""],"Show this menu":[""],"Are you sure you want to clear the messages from this conversation?":[""],"%1$s has gone offline":[""],"%1$s has gone away":[""],"%1$s is busy":[""],"%1$s is online":[""],"Username":[""],"user@domain":[""],"Please enter a valid XMPP address":[""],"Chat Contacts":[""],"Toggle chat":[""],"The connection has dropped, attempting to reconnect.":["Bağlantı koptu, yeniden bağlanılmaya çalışılıyor."],"An error occurred while connecting to the chat server.":["Sohbet sunucusuna bağlanılırken bir hata oluştu."],"Your Jabber ID and/or password is incorrect. Please try again.":["Jabber Kimlik ve/veya parola geçersiz. Lütfen tekrar deneyin."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["ÜZgünüz, bu XMPP hostuna bu domainle bağlanamadık :%1$s"],"The XMPP server did not offer a supported authentication mechanism":["XMPP sunucusu desteklenen bir kimlik doğrulama mekanizması sunmadı"],"Show more":[""],"Typing from another device":[""],"%1$s is typing":[""],"Stopped typing on the other device":[""],"%1$s has stopped typing":[""],"Unencryptable OMEMO message":[""],"Minimize this chat box":[""],"Click to restore this chat":[""],"Minimized":[""],"This groupchat is not anonymous":[""],"This groupchat now shows unavailable members":[""],"This groupchat does not show unavailable members":[""],"The groupchat configuration has changed":[""],"groupchat logging is now enabled":[""],"groupchat logging is now disabled":[""],"This groupchat is now no longer anonymous":[""],"This groupchat is now semi-anonymous":[""],"This groupchat is now fully-anonymous":[""],"A new groupchat has been created":[""],"You have been banned from this groupchat":[""],"You have been kicked from this groupchat":[""],"You have been removed from this groupchat because of an affiliation change":[""],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":[""],"You have been removed from this groupchat because the service hosting it is being shut down":[""],"%1$s has been banned":[""],"%1$s's nickname has changed":[""],"%1$s has been kicked out":[""],"%1$s has been removed because of an affiliation change":[""],"%1$s has been removed for not being a member":[""],"Your nickname has been automatically set to %1$s":[""],"Your nickname has been changed to %1$s":[""],"Description:":[""],"Groupchat Address (JID):":[""],"Participants:":[""],"Features:":[""],"Requires authentication":[""],"Hidden":[""],"Requires an invitation":[""],"Moderated":[""],"Non-anonymous":[""],"Open":[""],"Permanent":[""],"Public":[""],"Semi-anonymous":[""],"Temporary":[""],"Unmoderated":[""],"Query for Groupchats":[""],"Server address":[""],"Show groupchats":[""],"conference.example.org":[""],"No groupchats found":[""],"Groupchats found:":[""],"Enter a new Groupchat":[""],"Groupchat address":[""],"Optional nickname":[""],"name@conference.example.org":[""],"Join":[""],"Groupchat info for %1$s":[""],"%1$s is no longer an admin of this groupchat":[""],"%1$s is no longer an owner of this groupchat":[""],"%1$s is no longer banned from this groupchat":[""],"%1$s is no longer a permanent member of this groupchat":[""],"%1$s is now a permanent member of this groupchat":[""],"%1$s has been banned from this groupchat":[""],"%1$s is now an ":[""],"%1$s is no longer a moderator":[""],"%1$s has been given a voice again":[""],"%1$s has been muted":[""],"%1$s is now a moderator":[""],"Close and leave this groupchat":[""],"Configure this groupchat":[""],"Show more details about this groupchat":[""],"Hide the list of participants":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":[""],"Ban user from groupchat":[""],"Change user role to participant":[""],"Kick user from groupchat":[""],"Write in 3rd person":[""],"Grant membership to a user":[""],"Remove user's ability to post messages":[""],"Change your nickname":[""],"Grant moderator role to user":[""],"Grant ownership of this groupchat":[""],"Register a nickname for this room":[""],"Revoke user's membership":[""],"Set groupchat subject":[""],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":[""],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":[""],"Please choose your nickname":[""],"Nickname":[""],"Enter groupchat":[""],"This groupchat requires a password":[""],"Password: ":[""],"Submit":[""],"This action was done by %1$s.":[""],"The reason given is: \"%1$s\".":[""],"%1$s has left and re-entered the groupchat":[""],"%1$s has entered the groupchat":[""],"%1$s has entered the groupchat. \"%2$s\"":[""],"%1$s has entered and left the groupchat":[""],"%1$s has entered and left the groupchat. \"%2$s\"":[""],"%1$s has left the groupchat":[""],"%1$s has left the groupchat. \"%2$s\"":[""],"You are not on the member list of this groupchat.":[""],"You have been banned from this groupchat.":[""],"No nickname was specified.":[""],"You are not allowed to create new groupchats.":[""],"Your nickname doesn't conform to this groupchat's policies.":[""],"This groupchat does not (yet) exist.":[""],"This groupchat has reached its maximum number of participants.":[""],"Remote server not found":[""],"The explanation given is: \"%1$s\".":[""],"Topic set by %1$s":[""],"Topic cleared by %1$s":[""],"Groupchats":[""],"Add a new groupchat":[""],"Query for groupchats":[""],"Click to mention %1$s in your message.":[""],"This user is a moderator.":[""],"This user can send messages in this groupchat.":[""],"This user can NOT send messages in this groupchat.":[""],"Moderator":[""],"Visitor":[""],"Owner":[""],"Member":[""],"Admin":[""],"Participants":[""],"Invite":[""],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":[""],"Please enter a valid XMPP username":[""],"You're not allowed to register yourself in this groupchat.":[""],"You're not allowed to register in this groupchat because it's members-only.":[""],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":[""],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":[""],"Error: the groupchat ":[""],"Sorry, you're not allowed to registerd in this groupchat":[""],"Notification from %1$s":[""],"%1$s says":[""],"OMEMO Message received":[""],"has gone offline":[""],"has gone away":[""],"is busy":[""],"has come online":[""],"wants to be your contact":[""],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Full Name":[""],"XMPP Address (JID)":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"Sorry, an error happened while trying to save your profile data.":[""],"You can check your browser's developer console for any error output.":[""],"Away":[""],"Busy":[""],"Custom status":[""],"Offline":[""],"Online":[""],"Away for long":[""],"Change chat status":[""],"Personal status message":[""],"I am %1$s":[""],"Change settings":[""],"Click to change your chat status":[""],"Log out":[""],"Your profile":[""],"Are you sure you want to log out?":[""],"online":[""],"busy":[""],"away for long":[""],"away":[""],"offline":[""]," e.g. conversejs.org":[""],"Fetch registration form":[""],"Tip: A list of public XMPP providers is available":[""],"here":[""],"Sorry, we're unable to connect to your chosen provider.":[""],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":[""],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":[""],"Now logging you in":[""],"Registered successfully":[""],"The provider rejected your registration attempt. Please check the values you entered for correctness.":[""],"Click to toggle the list of open groupchats":[""],"Open Groupchats":[""],"Are you sure you want to leave the groupchat %1$s?":[""],"Sorry, there was an error while trying to add %1$s as a contact.":[""],"This client does not allow presence subscriptions":[""],"Click to hide these contacts":[""],"This contact is busy":[""],"This contact is online":[""],"This contact is offline":[""],"This contact is unavailable":[""],"This contact is away for an extended period":[""],"This contact is away":[""],"Groups":[""],"My contacts":[""],"Pending contacts":[""],"Contact requests":[""],"Ungrouped":[""],"Contact name":[""],"Add a Contact":[""],"XMPP Address":[""],"name@example.org":[""],"Add":[""],"Filter":[""],"Filter by contact name":[""],"Filter by group name":[""],"Filter by status":[""],"Any":[""],"Unread":[""],"Chatty":[""],"Extended Away":[""],"Click to remove %1$s as a contact":[""],"Click to accept the contact request from %1$s":[""],"Click to decline the contact request from %1$s":[""],"Click to chat with %1$s (JID: %2$s)":[""],"Are you sure you want to decline this contact request?":[""],"Contacts":[""],"Add a contact":[""],"Name":[""],"Groupchat address (JID)":[""],"Description":[""],"Topic":[""],"Topic author":[""],"Online users":[""],"Features":[""],"Password protected":[""],"This groupchat requires a password before entry":[""],"No password required":[""],"This groupchat does not require a password upon entry":[""],"This groupchat is not publicly searchable":[""],"This groupchat is publicly searchable":[""],"Members only":[""],"This groupchat is restricted to members only":[""],"Anyone can join this groupchat":[""],"Persistent":[""],"This groupchat persists even if it's unoccupied":[""],"This groupchat will disappear once the last person leaves":[""],"Not anonymous":[""],"All other groupchat participants can see your XMPP username":[""],"Only moderators can see your XMPP username":[""],"This groupchat is being moderated":[""],"Not moderated":[""],"This groupchat is not being moderated":[""],"Message archiving":[""],"Messages are archived on the server":[""],"No password":[""],"this groupchat is restricted to members only":[""],"XMPP Username:":[""],"Password:":[""],"password":[""],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Log in":[""],"Click here to log in anonymously":[""],"This message has been edited":[""],"Edit this message":[""],"Message versions":[""],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Device without a fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":[""],"Create an account":[""],"Create your account":[""],"Please enter the XMPP provider to register with:":[""],"Already have a chat account?":[""],"Log in here":[""],"Account Registration:":[""],"Register":[""],"Choose a different provider":[""],"Hold tight, we're fetching the registration form…":[""],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Remove as contact":[""],"Refresh":[""],"Download":[""],"Download \"%1$s\"":[""],"Download video file":[""],"Download audio file":[""]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=2; plural=n != 1;","lang":"tr"},"Bookmark this groupchat":[""],"The name for this bookmark:":[""],"Would you like this groupchat to be automatically joined upon startup?":[""],"What should your nickname for this groupchat be?":[""],"Save":[""],"Cancel":[""],"Are you sure you want to remove the bookmark \"%1$s\"?":[""],"Error":[""],"Sorry, something went wrong while trying to save your bookmark.":[""],"Leave this groupchat":[""],"Remove this bookmark":[""],"Unbookmark this groupchat":[""],"Show more information on this groupchat":[""],"Click to open this groupchat":[""],"Click to toggle the bookmarks list":[""],"Bookmarks":[""],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Close this chat box":[""],"Are you sure you want to remove this contact?":[""],"Sorry, there was an error while trying to remove %1$s as a contact.":[""],"You have unread messages":[""],"Hidden message":[""],"Message":[""],"Send":[""],"Optional hint":[""],"Choose a file to send":[""],"Click to write as a normal (non-spoiler) message":[""],"Click to write your message as a spoiler":[""],"Clear all messages":[""],"Insert emojis":[""],"Start a call":[""],"Remove messages":[""],"Write in the third person":[""],"Show this menu":[""],"Are you sure you want to clear the messages from this conversation?":[""],"%1$s has gone offline":[""],"%1$s has gone away":[""],"%1$s is busy":[""],"%1$s is online":[""],"Username":[""],"user@domain":[""],"Please enter a valid XMPP address":[""],"Chat Contacts":[""],"Toggle chat":[""],"The connection has dropped, attempting to reconnect.":["Bağlantı koptu, yeniden bağlanılmaya çalışılıyor."],"An error occurred while connecting to the chat server.":["Sohbet sunucusuna bağlanılırken bir hata oluştu."],"Your Jabber ID and/or password is incorrect. Please try again.":["Jabber Kimlik ve/veya parola geçersiz. Lütfen tekrar deneyin."],"Sorry, we could not connect to the XMPP host with domain: %1$s":["ÜZgünüz, bu XMPP hostuna bu domainle bağlanamadık :%1$s"],"The XMPP server did not offer a supported authentication mechanism":["XMPP sunucusu desteklenen bir kimlik doğrulama mekanizması sunmadı"],"Show more":[""],"Typing from another device":[""],"%1$s is typing":[""],"Stopped typing on the other device":[""],"%1$s has stopped typing":[""],"Unencryptable OMEMO message":[""],"Minimize this chat box":[""],"Click to restore this chat":[""],"Minimized":[""],"This groupchat is not anonymous":[""],"This groupchat now shows unavailable members":[""],"This groupchat does not show unavailable members":[""],"The groupchat configuration has changed":[""],"groupchat logging is now enabled":[""],"groupchat logging is now disabled":[""],"This groupchat is now no longer anonymous":[""],"This groupchat is now semi-anonymous":[""],"This groupchat is now fully-anonymous":[""],"A new groupchat has been created":[""],"You have been banned from this groupchat":[""],"You have been kicked from this groupchat":[""],"You have been removed from this groupchat because of an affiliation change":[""],"You have been removed from this groupchat because the groupchat has changed to members-only and you're not a member":[""],"You have been removed from this groupchat because the service hosting it is being shut down":[""],"%1$s has been banned":[""],"%1$s's nickname has changed":[""],"%1$s has been kicked out":[""],"%1$s has been removed because of an affiliation change":[""],"%1$s has been removed for not being a member":[""],"Your nickname has been automatically set to %1$s":[""],"Your nickname has been changed to %1$s":[""],"Description:":[""],"Groupchat Address (JID):":[""],"Participants:":[""],"Features:":[""],"Requires authentication":[""],"Hidden":[""],"Requires an invitation":[""],"Moderated":[""],"Non-anonymous":[""],"Open":[""],"Permanent":[""],"Public":[""],"Semi-anonymous":[""],"Temporary":[""],"Unmoderated":[""],"Query for Groupchats":[""],"Server address":[""],"Show groupchats":[""],"conference.example.org":[""],"No groupchats found":[""],"Groupchats found:":[""],"Enter a new Groupchat":[""],"Groupchat address":[""],"Optional nickname":[""],"name@conference.example.org":[""],"Join":[""],"Groupchat info for %1$s":[""],"%1$s is no longer an admin of this groupchat":[""],"%1$s is no longer an owner of this groupchat":[""],"%1$s is no longer banned from this groupchat":[""],"%1$s is no longer a permanent member of this groupchat":[""],"%1$s is now a permanent member of this groupchat":[""],"%1$s has been banned from this groupchat":[""],"%1$s is now an ":[""],"%1$s is no longer a moderator":[""],"%1$s has been given a voice again":[""],"%1$s has been muted":[""],"%1$s is now a moderator":[""],"Close and leave this groupchat":[""],"Configure this groupchat":[""],"Show more details about this groupchat":[""],"Hide the list of participants":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":[""],"Ban user from groupchat":[""],"Change user role to participant":[""],"Kick user from groupchat":[""],"Write in 3rd person":[""],"Grant membership to a user":[""],"Remove user's ability to post messages":[""],"Change your nickname":[""],"Grant moderator role to user":[""],"Grant ownership of this groupchat":[""],"Register a nickname for this room":[""],"Revoke user's membership":[""],"Set groupchat subject":[""],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":[""],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":[""],"Please choose your nickname":[""],"Nickname":[""],"Enter groupchat":[""],"This groupchat requires a password":[""],"Password: ":[""],"Submit":[""],"This action was done by %1$s.":[""],"The reason given is: \"%1$s\".":[""],"%1$s has left and re-entered the groupchat":[""],"%1$s has entered the groupchat":[""],"%1$s has entered the groupchat. \"%2$s\"":[""],"%1$s has entered and left the groupchat":[""],"%1$s has entered and left the groupchat. \"%2$s\"":[""],"%1$s has left the groupchat":[""],"%1$s has left the groupchat. \"%2$s\"":[""],"You are not on the member list of this groupchat.":[""],"You have been banned from this groupchat.":[""],"No nickname was specified.":[""],"You are not allowed to create new groupchats.":[""],"Your nickname doesn't conform to this groupchat's policies.":[""],"This groupchat does not (yet) exist.":[""],"This groupchat has reached its maximum number of participants.":[""],"Remote server not found":[""],"The explanation given is: \"%1$s\".":[""],"Topic set by %1$s":[""],"Topic cleared by %1$s":[""],"Groupchats":[""],"Add a new groupchat":[""],"Query for groupchats":[""],"Click to mention %1$s in your message.":[""],"This user is a moderator.":[""],"This user can send messages in this groupchat.":[""],"This user can NOT send messages in this groupchat.":[""],"Moderator":[""],"Visitor":[""],"Owner":[""],"Member":[""],"Admin":[""],"Participants":[""],"Invite":[""],"You are about to invite %1$s to the groupchat \"%2$s\". You may optionally include a message, explaining the reason for the invitation.":[""],"Please enter a valid XMPP username":[""],"You're not allowed to register yourself in this groupchat.":[""],"You're not allowed to register in this groupchat because it's members-only.":[""],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"%1$s has invited you to join a groupchat: %2$s":[""],"%1$s has invited you to join a groupchat: %2$s, and left the following reason: \"%3$s\"":[""],"Error: the groupchat ":[""],"Sorry, you're not allowed to registerd in this groupchat":[""],"Notification from %1$s":[""],"%1$s says":[""],"OMEMO Message received":[""],"has gone offline":[""],"has gone away":[""],"is busy":[""],"has come online":[""],"wants to be your contact":[""],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Full Name":[""],"XMPP Address (JID)":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"Sorry, an error happened while trying to save your profile data.":[""],"You can check your browser's developer console for any error output.":[""],"Away":[""],"Busy":[""],"Custom status":[""],"Offline":[""],"Online":[""],"Away for long":[""],"Change chat status":[""],"Personal status message":[""],"I am %1$s":[""],"Change settings":[""],"Click to change your chat status":[""],"Log out":[""],"Your profile":[""],"Are you sure you want to log out?":[""],"online":[""],"busy":[""],"away for long":[""],"away":[""],"offline":[""]," e.g. conversejs.org":[""],"Fetch registration form":[""],"Tip: A list of public XMPP providers is available":[""],"here":[""],"Sorry, we're unable to connect to your chosen provider.":[""],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":[""],"Something went wrong while establishing a connection with \"%1$s\". Are you sure it exists?":[""],"Now logging you in":[""],"Registered successfully":[""],"The provider rejected your registration attempt. Please check the values you entered for correctness.":[""],"Click to toggle the list of open groupchats":[""],"Open Groupchats":[""],"Are you sure you want to leave the groupchat %1$s?":[""],"Sorry, there was an error while trying to add %1$s as a contact.":[""],"This client does not allow presence subscriptions":[""],"Click to hide these contacts":[""],"This contact is busy":[""],"This contact is online":[""],"This contact is offline":[""],"This contact is unavailable":[""],"This contact is away for an extended period":[""],"This contact is away":[""],"Groups":[""],"My contacts":[""],"Pending contacts":[""],"Contact requests":[""],"Ungrouped":[""],"Contact name":[""],"Add a Contact":[""],"XMPP Address":[""],"name@example.org":[""],"Add":[""],"Filter":[""],"Filter by contact name":[""],"Filter by group name":[""],"Filter by status":[""],"Any":[""],"Unread":[""],"Chatty":[""],"Extended Away":[""],"Click to remove %1$s as a contact":[""],"Click to accept the contact request from %1$s":[""],"Click to decline the contact request from %1$s":[""],"Click to chat with %1$s (JID: %2$s)":[""],"Are you sure you want to decline this contact request?":[""],"Contacts":[""],"Add a contact":[""],"Name":[""],"Groupchat address (JID)":[""],"Description":[""],"Topic":[""],"Topic author":[""],"Online users":[""],"Features":[""],"Password protected":[""],"This groupchat requires a password before entry":[""],"No password required":[""],"This groupchat does not require a password upon entry":[""],"This groupchat is not publicly searchable":[""],"This groupchat is publicly searchable":[""],"Members only":[""],"This groupchat is restricted to members only":[""],"Anyone can join this groupchat":[""],"Persistent":[""],"This groupchat persists even if it's unoccupied":[""],"This groupchat will disappear once the last person leaves":[""],"Not anonymous":[""],"All other groupchat participants can see your XMPP username":[""],"Only moderators can see your XMPP username":[""],"This groupchat is being moderated":[""],"Not moderated":[""],"This groupchat is not being moderated":[""],"Message archiving":[""],"Messages are archived on the server":[""],"No password":[""],"this groupchat is restricted to members only":[""],"XMPP Username:":[""],"Password:":[""],"password":[""],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Log in":[""],"Click here to log in anonymously":[""],"This message has been edited":[""],"Edit this message":[""],"Message versions":[""],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Device without a fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":[""],"Create an account":[""],"Create your account":[""],"Please enter the XMPP provider to register with:":[""],"Already have a chat account?":[""],"Log in here":[""],"Account Registration:":[""],"Register":[""],"Choose a different provider":[""],"Hold tight, we're fetching the registration form…":[""],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Remove as contact":[""],"Refresh":[""],"Download":[""],"Download file \"%1$s\"":[""],"Download image \"%1$s\"":[""],"Download video file \"%1$s\"":[""],"Download audio file \"%1$s\"":[""]}}} \ No newline at end of file diff --git a/locale/tr/LC_MESSAGES/converse.po b/locale/tr/LC_MESSAGES/converse.po index 756306af5..2c89c1091 100644 --- a/locale/tr/LC_MESSAGES/converse.po +++ b/locale/tr/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 3.3.2\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-03-30 08:45+0000\n" "Last-Translator: Sarp Doruk ASLAN \n" "Language-Team: Turkish =2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;","lang":"uk"},"The name for this bookmark:":[""],"Would you like this groupchat to be automatically joined upon startup?":[""],"What should your nickname for this groupchat be?":[""],"Save":["Зберегти"],"Cancel":["Відміна"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Ви впевнені, що хочете видалити закладку \"%1$s\"?"],"Error":["Помилка"],"Sorry, something went wrong while trying to save your bookmark.":[""],"Remove this bookmark":["Вилучити цю закладку"],"Click to toggle the bookmarks list":["Натисніть, щоб переключити список закладок"],"Bookmarks":["Закладки"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Are you sure you want to remove this contact?":["Ви впевнені, що хочете видалити цей контакт?"],"Message":["Повідомлення"],"Send":[""],"Optional hint":[""],"Choose a file to send":[""],"Clear all messages":["Очистити всі повідомлення"],"Insert emojis":[""],"Start a call":["Почати виклик"],"Remove messages":["Видалити повідомлення"],"Write in the third person":["Писати від третьої особи"],"Show this menu":["Показати це меню"],"user@domain":[""],"Please enter a valid XMPP address":[""],"Toggle chat":["Включити чат"],"The connection has dropped, attempting to reconnect.":["З'єднання втрачено, спроба відновити зв'язок."],"An error occurred while connecting to the chat server.":["Під час підключення до сервера чату сталася помилка."],"Your Jabber ID and/or password is incorrect. Please try again.":[""],"Sorry, we could not connect to the XMPP host with domain: %1$s":[""],"The XMPP server did not offer a supported authentication mechanism":[""],"Typing from another device":[""],"Stopped typing on the other device":[""],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Згорнути це вікно чату"],"Click to restore this chat":["Клацніть, щоб відновити цей чат"],"Minimized":["Мінімізовано"],"Description:":["Опис:"],"Features:":["Особливості:"],"Requires authentication":["Вимагає автентикації"],"Hidden":["Прихована"],"Requires an invitation":["Вимагає запрошення"],"Moderated":["Модерована"],"Non-anonymous":["Не-анонімні"],"Public":["Публічна"],"Semi-anonymous":["Напів-анонімна"],"Unmoderated":["Немодерована"],"conference.example.org":[""],"Optional nickname":[""],"name@conference.example.org":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":["Призначити користувача адміністратором"],"Write in 3rd person":["Писати в 3-й особі"],"Grant membership to a user":["Надати членство користувачу"],"Remove user's ability to post messages":["Забрати можливість слати повідомлення"],"Change your nickname":["Змінити Ваше прізвисько"],"Grant moderator role to user":["Надати права модератора"],"Register a nickname for this room":[""],"Revoke user's membership":["Забрати членство в користувача"],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":["Дозволити безголосому користувачу слати повідомлення"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":[""],"Nickname":["Прізвисько"],"Password: ":["Пароль:"],"Submit":["Надіслати"],"Remote server not found":[""],"Visitor":[""],"Owner":[""],"Member":[""],"Admin":[""],"Participants":[""],"Invite":["Запросіть"],"Please enter a valid XMPP username":[""],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Сповіщення від %1$s"],"%1$s says":[""],"OMEMO Message received":[""],"has gone offline":["тепер поза мережею"],"has gone away":["пішов геть"],"is busy":["зайнятий"],"has come online":["зʼявився в мережі"],"wants to be your contact":["хоче бути у вашому списку контактів"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Full Name":[""],"XMPP Address (JID)":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Далеко"],"Busy":["Зайнятий"],"Custom status":["Власний статус"],"Offline":["Поза мережею"],"Online":["На зв'язку"],"I am %1$s":["Я %1$s"],"Change settings":[""],"Click to change your chat status":["Клацніть, щоб змінити статус в чаті"],"Log out":["Вийти"],"Your profile":[""],"online":["на зв'язку"],"busy":["зайнятий"],"away for long":["давно відсутній"],"away":["відсутній"]," e.g. conversejs.org":[" напр. conversejs.org"],"Fetch registration form":["Отримати форму реєстрації"],"Tip: A list of public XMPP providers is available":["Порада: доступний перелік публічних XMPP-провайдерів"],"here":["тут"],"Sorry, we're unable to connect to your chosen provider.":["На жаль, ми не можемо підключитися до обраного вами провайдера."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Вибачте, вказаний провайдер не підтримує реєстрації онлайн. Спробуйте іншого провайдера."],"Now logging you in":["Входимо"],"Registered successfully":["Успішно зареєстровано"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Провайдер відхилив вашу спробу реєстрації. Будь ласка, перевірте введені значення на коректність."],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":[""],"This client does not allow presence subscriptions":[""],"Click to hide these contacts":["Клацніть, щоб приховати ці контакти"],"This contact is busy":["Цей контакт зайнятий"],"This contact is online":["Цей контакт на зв'язку"],"This contact is offline":["Цей контакт поза мережею"],"This contact is unavailable":["Цей контакт недоступний"],"This contact is away for an extended period":["Цей контакт відсутній тривалий час"],"This contact is away":["Цей контакт відсутній"],"Groups":["Групи"],"My contacts":["Мої контакти"],"Pending contacts":["Контакти в очікуванні"],"Contact requests":["Запити контакту"],"Ungrouped":["Негруповані"],"Contact name":["Назва контакту"],"XMPP Address":[""],"name@example.org":[""],"Add":["Додати"],"Filter":[""],"Filter by group name":[""],"Filter by status":[""],"Any":[""],"Unread":[""],"Chatty":[""],"Extended Away":[""],"Are you sure you want to decline this contact request?":["Ви впевнені, що хочете відхилити цей запит контакту?"],"Contacts":["Контакти"],"Add a contact":["Додати контакт"],"Name":[""],"Topic":[""],"Topic author":[""],"Members only":[""],"Persistent":[""],"This groupchat persists even if it's unoccupied":[""],"This groupchat will disappear once the last person leaves":[""],"All other groupchat participants can see your XMPP username":[""],"Only moderators can see your XMPP username":[""],"Message archiving":[""],"Messages are archived on the server":[""],"XMPP Username:":["XMPP адреса:"],"Password:":["Пароль:"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":[""],"Create an account":["Створити обліковий запис"],"Create your account":["Створити свій обліковий запис"],"Please enter the XMPP provider to register with:":[""],"Already have a chat account?":[""],"Log in here":[""],"Account Registration:":["Реєстрація облікового запису:"],"Register":["Реєстрація"],"Choose a different provider":["Виберіть іншого провайдера"],"Hold tight, we're fetching the registration form…":[""],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":[""],"Download \"%1$s\"":[""],"Download video file":[""],"Download audio file":[""]}}} \ No newline at end of file +{"domain":"converse","locale_data":{"converse":{"":{"domain":"converse","plural_forms":"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;","lang":"uk"},"The name for this bookmark:":[""],"Would you like this groupchat to be automatically joined upon startup?":[""],"What should your nickname for this groupchat be?":[""],"Save":["Зберегти"],"Cancel":["Відміна"],"Are you sure you want to remove the bookmark \"%1$s\"?":["Ви впевнені, що хочете видалити закладку \"%1$s\"?"],"Error":["Помилка"],"Sorry, something went wrong while trying to save your bookmark.":[""],"Remove this bookmark":["Вилучити цю закладку"],"Click to toggle the bookmarks list":["Натисніть, щоб переключити список закладок"],"Bookmarks":["Закладки"],"Sorry, could not determine file upload URL.":[""],"Sorry, could not determine upload URL.":[""],"Sorry, could not succesfully upload your file. Your server’s response: \"%1$s\"":[""],"Sorry, could not succesfully upload your file.":[""],"Sorry, looks like file upload is not supported by your server.":[""],"The size of your file, %1$s, exceeds the maximum allowed by your server, which is %2$s.":[""],"Sorry, an error occurred:":[""],"Are you sure you want to remove this contact?":["Ви впевнені, що хочете видалити цей контакт?"],"Message":["Повідомлення"],"Send":[""],"Optional hint":[""],"Choose a file to send":[""],"Clear all messages":["Очистити всі повідомлення"],"Insert emojis":[""],"Start a call":["Почати виклик"],"Remove messages":["Видалити повідомлення"],"Write in the third person":["Писати від третьої особи"],"Show this menu":["Показати це меню"],"user@domain":[""],"Please enter a valid XMPP address":[""],"Toggle chat":["Включити чат"],"The connection has dropped, attempting to reconnect.":["З'єднання втрачено, спроба відновити зв'язок."],"An error occurred while connecting to the chat server.":["Під час підключення до сервера чату сталася помилка."],"Your Jabber ID and/or password is incorrect. Please try again.":[""],"Sorry, we could not connect to the XMPP host with domain: %1$s":[""],"The XMPP server did not offer a supported authentication mechanism":[""],"Typing from another device":[""],"Stopped typing on the other device":[""],"Unencryptable OMEMO message":[""],"Minimize this chat box":["Згорнути це вікно чату"],"Click to restore this chat":["Клацніть, щоб відновити цей чат"],"Minimized":["Мінімізовано"],"Description:":["Опис:"],"Features:":["Особливості:"],"Requires authentication":["Вимагає автентикації"],"Hidden":["Прихована"],"Requires an invitation":["Вимагає запрошення"],"Moderated":["Модерована"],"Non-anonymous":["Не-анонімні"],"Public":["Публічна"],"Semi-anonymous":["Напів-анонімна"],"Unmoderated":["Немодерована"],"conference.example.org":[""],"Optional nickname":[""],"name@conference.example.org":[""],"Forbidden: you do not have the necessary role in order to do that.":[""],"Forbidden: you do not have the necessary affiliation in order to do that.":[""],"Error: the \"%1$s\" command takes two arguments, the user's nickname and optionally a reason.":[""],"Error: couldn't find a groupchat participant \"%1$s\"":[""],"Sorry, an error happened while running the command. Check your browser's developer console for details.":[""],"Change user's affiliation to admin":["Призначити користувача адміністратором"],"Write in 3rd person":["Писати в 3-й особі"],"Grant membership to a user":["Надати членство користувачу"],"Remove user's ability to post messages":["Забрати можливість слати повідомлення"],"Change your nickname":["Змінити Ваше прізвисько"],"Grant moderator role to user":["Надати права модератора"],"Register a nickname for this room":[""],"Revoke user's membership":["Забрати членство в користувача"],"Set groupchat subject (alias for /subject)":[""],"Allow muted user to post messages":["Дозволити безголосому користувачу слати повідомлення"],"Error: invalid number of arguments":[""],"The nickname you chose is reserved or currently in use, please choose a different one.":[""],"Nickname":["Прізвисько"],"Password: ":["Пароль:"],"Submit":["Надіслати"],"Remote server not found":[""],"Visitor":[""],"Owner":[""],"Member":[""],"Admin":[""],"Participants":[""],"Invite":["Запросіть"],"Please enter a valid XMPP username":[""],"Can't register your nickname in this groupchat, it doesn't support registration.":[""],"Can't register your nickname in this groupchat, invalid data form supplied.":[""],"Notification from %1$s":["Сповіщення від %1$s"],"%1$s says":[""],"OMEMO Message received":[""],"has gone offline":["тепер поза мережею"],"has gone away":["пішов геть"],"is busy":["зайнятий"],"has come online":["зʼявився в мережі"],"wants to be your contact":["хоче бути у вашому списку контактів"],"Sorry, could not decrypt a received OMEMO message due to an error.":[""],"This is an OMEMO encrypted message which your client doesn’t seem to support. Find more information on https://conversations.im/omemo":[""],"Sorry, could not send the message due to an error.":[""],"Your avatar image":[""],"Your Profile":[""],"Close":[""],"Email":[""],"Full Name":[""],"XMPP Address (JID)":[""],"Role":[""],"Use commas to separate multiple roles. Your roles are shown next to your name on your chat messages.":[""],"URL":[""],"You can check your browser's developer console for any error output.":[""],"Away":["Далеко"],"Busy":["Зайнятий"],"Custom status":["Власний статус"],"Offline":["Поза мережею"],"Online":["На зв'язку"],"I am %1$s":["Я %1$s"],"Change settings":[""],"Click to change your chat status":["Клацніть, щоб змінити статус в чаті"],"Log out":["Вийти"],"Your profile":[""],"online":["на зв'язку"],"busy":["зайнятий"],"away for long":["давно відсутній"],"away":["відсутній"]," e.g. conversejs.org":[" напр. conversejs.org"],"Fetch registration form":["Отримати форму реєстрації"],"Tip: A list of public XMPP providers is available":["Порада: доступний перелік публічних XMPP-провайдерів"],"here":["тут"],"Sorry, we're unable to connect to your chosen provider.":["На жаль, ми не можемо підключитися до обраного вами провайдера."],"Sorry, the given provider does not support in band account registration. Please try with a different provider.":["Вибачте, вказаний провайдер не підтримує реєстрації онлайн. Спробуйте іншого провайдера."],"Now logging you in":["Входимо"],"Registered successfully":["Успішно зареєстровано"],"The provider rejected your registration attempt. Please check the values you entered for correctness.":["Провайдер відхилив вашу спробу реєстрації. Будь ласка, перевірте введені значення на коректність."],"Open Groupchats":[""],"Sorry, there was an error while trying to add %1$s as a contact.":[""],"This client does not allow presence subscriptions":[""],"Click to hide these contacts":["Клацніть, щоб приховати ці контакти"],"This contact is busy":["Цей контакт зайнятий"],"This contact is online":["Цей контакт на зв'язку"],"This contact is offline":["Цей контакт поза мережею"],"This contact is unavailable":["Цей контакт недоступний"],"This contact is away for an extended period":["Цей контакт відсутній тривалий час"],"This contact is away":["Цей контакт відсутній"],"Groups":["Групи"],"My contacts":["Мої контакти"],"Pending contacts":["Контакти в очікуванні"],"Contact requests":["Запити контакту"],"Ungrouped":["Негруповані"],"Contact name":["Назва контакту"],"XMPP Address":[""],"name@example.org":[""],"Add":["Додати"],"Filter":[""],"Filter by group name":[""],"Filter by status":[""],"Any":[""],"Unread":[""],"Chatty":[""],"Extended Away":[""],"Are you sure you want to decline this contact request?":["Ви впевнені, що хочете відхилити цей запит контакту?"],"Contacts":["Контакти"],"Add a contact":["Додати контакт"],"Name":[""],"Topic":[""],"Topic author":[""],"Members only":[""],"Persistent":[""],"This groupchat persists even if it's unoccupied":[""],"This groupchat will disappear once the last person leaves":[""],"All other groupchat participants can see your XMPP username":[""],"Only moderators can see your XMPP username":[""],"Message archiving":[""],"Messages are archived on the server":[""],"XMPP Username:":["XMPP адреса:"],"Password:":["Пароль:"],"This is a trusted device":[""],"To improve performance, we cache your data in this browser. Uncheck this box if this is a public computer or if you want your data to be deleted when you log out. It's important that you explicitly log out, otherwise not all cached data might be deleted.":[""],"Save and close":[""],"This device's OMEMO fingerprint":[""],"Select all":[""],"Checkbox to select fingerprints of all other OMEMO devices":[""],"Other OMEMO-enabled devices":[""],"Checkbox for selecting the following fingerprint":[""],"Remove checked devices and close":[""],"Don't have a chat account?":[""],"Create an account":["Створити обліковий запис"],"Create your account":["Створити свій обліковий запис"],"Please enter the XMPP provider to register with:":[""],"Already have a chat account?":[""],"Log in here":[""],"Account Registration:":["Реєстрація облікового запису:"],"Register":["Реєстрація"],"Choose a different provider":["Виберіть іншого провайдера"],"Hold tight, we're fetching the registration form…":[""],"Messages are being sent in plaintext":[""],"The User's Profile Image":[""],"OMEMO Fingerprints":[""],"Trusted":[""],"Untrusted":[""],"Refresh":[""],"Download":[""],"Download file \"%1$s\"":[""],"Download image \"%1$s\"":[""],"Download video file \"%1$s\"":[""],"Download audio file \"%1$s\"":[""]}}} \ No newline at end of file diff --git a/locale/uk/LC_MESSAGES/converse.po b/locale/uk/LC_MESSAGES/converse.po index c421b0c7d..0854d9801 100644 --- a/locale/uk/LC_MESSAGES/converse.po +++ b/locale/uk/LC_MESSAGES/converse.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Converse.js 0.7.0\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-09-19 16:10+0200\n" +"POT-Creation-Date: 2018-10-02 17:29+0200\n" "PO-Revision-Date: 2018-02-13 19:39+0000\n" "Last-Translator: Максим Якимчук \n" "Language-Team: Ukrainian \n" "Language-Team: Chinese (Simplified) \n" "Language-Team: Chinese (Traditional)