Compare commits

..

10 Commits

Author SHA1 Message Date
Misty (Bot)
695a3e3c6a chore: incrementing version number - v1.13.4-0 2020-05-14 01:28:09 +00:00
Misty (Bot)
6db8754544 Merge commit '45dfeeb033672e6537e8a8efd7a2970129a86a5a' into v1.13.x 2020-05-14 01:28:09 +00:00
Misty (Bot)
5db31e7e95 chore: incrementing version number - v1.13.3 2020-05-08 14:52:44 +00:00
Misty (Bot)
ffdc618a91 Merge commit 'd09bd2cfdf80e69e2462ebb04cf62e0c10443802' into v1.13.x 2020-05-08 14:52:43 +00:00
Barış Soner Uşaklı
a476d7261b fix: pin jquery version 2020-04-23 11:07:38 -04:00
Misty (Bot)
71f4607db4 chore: incrementing version number - v1.13.2 2020-02-05 21:03:51 +00:00
Misty (Bot)
d6ac2ba396 Merge commit 'a5ef6b53b8aab7b3e472eb3857c82ad3d72a6516' into v1.13.x 2020-02-05 21:03:51 +00:00
Misty (Bot)
d1e0672fa6 chore: incrementing version number - v1.13.1 2019-12-19 20:16:59 +00:00
Misty (Bot)
bf7cab0e4f Merge commit '94e2c7e4bb0bc8f6db6bc25537b4a630e6a4f487' into v1.13.x 2019-12-19 20:16:59 +00:00
Misty (Bot)
c6ef1486de chore: incrementing version number - v1.13.0 2019-11-13 21:43:14 +00:00
322 changed files with 1550 additions and 1939 deletions

1
.gitignore vendored
View File

@@ -67,4 +67,3 @@ test/files/normalise.jpg.png
test/files/normalise-resized.jpg
package-lock.json
/package.json
*.mongodb

View File

@@ -1,31 +1,95 @@
'use strict';
const path = require('path');
const nconf = require('nconf');
nconf.argv().env({
separator: '__',
});
const winston = require('winston');
const fork = require('child_process').fork;
const env = process.env;
var async = require('async');
var fork = require('child_process').fork;
var env = process.env;
var worker;
var updateWorker;
var initWorker;
var incomplete = [];
var running = 0;
env.NODE_ENV = env.NODE_ENV || 'development';
const configFile = path.resolve(__dirname, nconf.any(['config', 'CONFIG']) || 'config.json');
const prestart = require('./src/prestart');
prestart.loadConfig(configFile);
var nconf = require('nconf');
nconf.file({
file: 'config.json',
});
nconf.defaults({
base_dir: __dirname,
views_dir: './build/public/templates',
});
var winston = require('winston');
winston.configure({
transports: [
new winston.transports.Console({
handleExceptions: true,
}),
],
});
var db = require('./src/database');
module.exports = function (grunt) {
var args = [];
var initArgs = ['--build'];
if (!grunt.option('verbose')) {
args.push('--log-level=info');
nconf.set('log-level', 'info');
initArgs.push('--log-level=info');
}
function update(action, filepath, target) {
var updateArgs = args.slice();
var compiling;
var time = Date.now();
if (target === 'lessUpdated_Client') {
compiling = 'clientCSS';
} else if (target === 'lessUpdated_Admin') {
compiling = 'acpCSS';
} else if (target === 'clientUpdated') {
compiling = 'js';
} else if (target === 'templatesUpdated') {
compiling = 'tpl';
} else if (target === 'langUpdated') {
compiling = 'lang';
} else if (target === 'serverUpdated') {
// Do nothing, just restart
}
if (compiling && !incomplete.includes(compiling)) {
incomplete.push(compiling);
}
updateArgs.push('--build');
updateArgs.push(incomplete.join(','));
worker.kill();
if (updateWorker) {
updateWorker.kill('SIGKILL');
}
updateWorker = fork('app.js', updateArgs, { env: env });
running += 1;
updateWorker.on('exit', function () {
running -= 1;
if (running === 0) {
worker = fork('app.js', args, {
env: env,
});
worker.on('message', function () {
if (incomplete.length) {
incomplete = [];
if (grunt.option('verbose')) {
grunt.log.writeln('NodeBB restarted in ' + (Date.now() - time) + ' ms');
}
}
});
}
});
}
prestart.setupWinston();
grunt.initConfig({
watch: {},
@@ -35,166 +99,148 @@ module.exports = function (grunt) {
grunt.registerTask('default', ['watch']);
grunt.registerTask('init', async function () {
grunt.registerTask('init', function () {
var done = this.async();
let plugins = [];
if (!process.argv.includes('--core')) {
await db.init();
plugins = await db.getSortedSetRange('plugins:active', 0, -1);
addBaseThemes(plugins);
if (!plugins.includes('nodebb-plugin-composer-default')) {
plugins.push('nodebb-plugin-composer-default');
}
}
async.waterfall([
function (next) {
db.init(next);
},
function (next) {
db.getSortedSetRange('plugins:active', 0, -1, next);
},
function (plugins, next) {
addBaseThemes(plugins, next);
},
function (plugins, next) {
if (!plugins.includes('nodebb-plugin-composer-default')) {
plugins.push('nodebb-plugin-composer-default');
}
const styleUpdated_Client = plugins.map(p => 'node_modules/' + p + '/*.less')
.concat(plugins.map(p => 'node_modules/' + p + '/*.css'))
.concat(plugins.map(p => 'node_modules/' + p + '/+(public|static|less)/**/*.less'))
.concat(plugins.map(p => 'node_modules/' + p + '/+(public|static)/**/*.css'));
if (process.argv.includes('--core')) {
plugins = [];
}
const styleUpdated_Admin = plugins.map(p => 'node_modules/' + p + '/*.less')
.concat(plugins.map(p => 'node_modules/' + p + '/*.css'))
.concat(plugins.map(p => 'node_modules/' + p + '/+(public|static|less)/**/*.less'))
.concat(plugins.map(p => 'node_modules/' + p + '/+(public|static)/**/*.css'));
const lessUpdated_Client = plugins.map(p => 'node_modules/' + p + '/**/*.less');
const lessUpdated_Admin = plugins.map(p => 'node_modules/' + p + '/**/*.less');
const clientUpdated = plugins.map(p => 'node_modules/' + p + '/**/*.js');
const templatesUpdated = plugins.map(p => 'node_modules/' + p + '/**/*.tpl');
const langUpdated = plugins.map(p => 'node_modules/' + p + '/**/*.json');
const clientUpdated = plugins.map(p => 'node_modules/' + p + '/+(public|static)/**/*.js');
const serverUpdated = plugins.map(p => 'node_modules/' + p + '/*.js')
.concat(plugins.map(p => 'node_modules/' + p + '/+(lib|src)/**/*.js'));
const templatesUpdated = plugins.map(p => 'node_modules/' + p + '/+(public|static|templates)/**/*.tpl');
const langUpdated = plugins.map(p => 'node_modules/' + p + '/+(public|static|languages)/**/*.json');
grunt.config(['watch'], {
styleUpdated_Client: {
files: [
'public/less/**/*.less',
...styleUpdated_Client,
],
options: {
interval: 1000,
},
grunt.config(['watch'], {
lessUpdated_Client: {
files: [
'public/less/*.less',
'!public/less/admin/**/*.less',
...lessUpdated_Client,
'!node_modules/nodebb-*/node_modules/**',
'!node_modules/nodebb-*/.git/**',
],
options: {
interval: 1000,
},
},
lessUpdated_Admin: {
files: [
'public/less/admin/**/*.less',
...lessUpdated_Admin,
'!node_modules/nodebb-*/node_modules/**',
'!node_modules/nodebb-*/.git/**',
],
options: {
interval: 1000,
},
},
clientUpdated: {
files: [
'public/src/**/*.js',
...clientUpdated,
'!node_modules/nodebb-*/node_modules/**',
'node_modules/benchpressjs/build/benchpress.js',
'!node_modules/nodebb-*/.git/**',
],
options: {
interval: 1000,
},
},
serverUpdated: {
files: ['*.js', 'install/*.js', 'src/**/*.js', '!src/upgrades/**'],
options: {
interval: 1000,
},
},
templatesUpdated: {
files: [
'src/views/**/*.tpl',
...templatesUpdated,
'!node_modules/nodebb-*/node_modules/**',
'!node_modules/nodebb-*/.git/**',
],
options: {
interval: 1000,
},
},
langUpdated: {
files: [
'public/language/en-GB/*.json',
'public/language/en-GB/**/*.json',
...langUpdated,
'!node_modules/nodebb-*/node_modules/**',
'!node_modules/nodebb-*/.git/**',
'!node_modules/nodebb-*/plugin.json',
'!node_modules/nodebb-*/package.json',
'!node_modules/nodebb-*/theme.json',
],
options: {
interval: 1000,
},
},
});
next();
},
styleUpdated_Admin: {
files: [
'public/less/**/*.less',
...styleUpdated_Admin,
],
options: {
interval: 1000,
},
},
clientUpdated: {
files: [
'public/src/**/*.js',
...clientUpdated,
'node_modules/benchpressjs/build/benchpress.js',
],
options: {
interval: 1000,
},
},
serverUpdated: {
files: [
'app.js',
'install/*.js',
'src/**/*.js',
'public/src/modules/translator.js',
'public/src/modules/helpers.js',
'public/src/utils.js',
serverUpdated,
'!src/upgrades/**',
],
options: {
interval: 1000,
},
},
templatesUpdated: {
files: [
'src/views/**/*.tpl',
...templatesUpdated,
],
options: {
interval: 1000,
},
},
langUpdated: {
files: [
'public/language/en-GB/*.json',
'public/language/en-GB/**/*.json',
...langUpdated,
],
options: {
interval: 1000,
},
},
});
const build = require('./src/meta/build');
if (!grunt.option('skip')) {
await build.build(true);
}
run();
done();
], done);
});
function run() {
if (worker) {
worker.kill();
}
worker = fork('app.js', args, {
env: env,
});
}
grunt.task.run('init');
grunt.event.removeAllListeners('watch');
grunt.event.on('watch', function update(action, filepath, target) {
var compiling;
if (target === 'styleUpdated_Client') {
compiling = 'clientCSS';
} else if (target === 'styleUpdated_Admin') {
compiling = 'acpCSS';
} else if (target === 'clientUpdated') {
compiling = 'js';
} else if (target === 'templatesUpdated') {
compiling = 'tpl';
} else if (target === 'langUpdated') {
compiling = 'lang';
} else if (target === 'serverUpdated') {
// empty require cache
const paths = ['./src/meta/build.js', './src/meta/index.js'];
paths.forEach(p => delete require.cache[require.resolve(p)]);
return run();
}
env.NODE_ENV = 'development';
require('./src/meta/build').build([compiling], function (err) {
if (err) {
winston.error(err.stack);
}
if (worker) {
worker.send({ compiling: compiling });
}
if (grunt.option('skip')) {
worker = fork('app.js', args, {
env: env,
});
});
} else {
initWorker = fork('app.js', initArgs, {
env: env,
});
initWorker.on('exit', function () {
worker = fork('app.js', args, {
env: env,
});
});
}
grunt.event.on('watch', update);
};
function addBaseThemes(plugins) {
let themeId = plugins.find(p => p.includes('nodebb-theme-'));
function addBaseThemes(plugins, callback) {
const themeId = plugins.find(p => p.startsWith('nodebb-theme-'));
if (!themeId) {
return plugins;
return setImmediate(callback, null, plugins);
}
let baseTheme;
do {
function getBaseRecursive(themeId) {
try {
baseTheme = require(themeId + '/theme').baseTheme;
const baseTheme = require(themeId + '/theme').baseTheme;
if (baseTheme) {
plugins.push(baseTheme);
getBaseRecursive(baseTheme);
}
} catch (err) {
console.log(err);
}
}
if (baseTheme) {
plugins.push(baseTheme);
themeId = baseTheme;
}
} while (baseTheme);
return plugins;
getBaseRecursive(themeId);
callback(null, plugins);
}

1
app.js
View File

@@ -31,7 +31,6 @@ const path = require('path');
const file = require('./src/file');
process.env.NODE_ENV = process.env.NODE_ENV || 'production';
global.env = process.env.NODE_ENV || 'production';
// Alternate configuration file support

View File

@@ -32,8 +32,9 @@
"registrationType": "normal",
"registrationApprovalType": "normal",
"allowAccountDelete": 1,
"allowFileUploads": 0,
"privateUploads": 0,
"allowedFileExtensions": "png,jpg,bmp,txt",
"allowedFileExtensions": "png,jpg,bmp",
"allowUserHomePage": 1,
"allowMultipleBadges": 0,
"maximumFileSize": 2048,

View File

@@ -2,7 +2,7 @@
"name": "nodebb",
"license": "GPL-3.0",
"description": "NodeBB Forum",
"version": "1.14.0-0",
"version": "1.13.4-0",
"homepage": "http://www.nodebb.org",
"repository": {
"type": "git",
@@ -65,7 +65,7 @@
"ipaddr.js": "^1.9.1",
"jquery": "3.5.1",
"jsesc": "3.0.1",
"json2csv": "5.0.1",
"json-2-csv": "^3.6.2",
"jsonwebtoken": "^8.5.1",
"less": "^3.11.1",
"lodash": "^4.17.15",
@@ -79,26 +79,26 @@
"mousetrap": "^1.6.5",
"@nodebb/mubsub": "^1.6.0",
"nconf": "^0.10.0",
"nodebb-plugin-composer-default": "6.3.32",
"nodebb-plugin-composer-default": "6.3.28",
"nodebb-plugin-dbsearch": "4.0.7",
"nodebb-plugin-emoji": "^3.3.0",
"nodebb-plugin-emoji-android": "2.0.0",
"nodebb-plugin-markdown": "8.11.2",
"nodebb-plugin-mentions": "2.7.4",
"nodebb-plugin-soundpack-default": "1.0.0",
"nodebb-plugin-spam-be-gone": "0.7.0",
"nodebb-plugin-spam-be-gone": "0.6.7",
"nodebb-rewards-essentials": "0.1.3",
"nodebb-theme-lavender": "5.0.11",
"nodebb-theme-persona": "10.1.42",
"nodebb-theme-persona": "10.1.39",
"nodebb-theme-slick": "1.2.29",
"nodebb-theme-vanilla": "11.1.18",
"nodebb-theme-vanilla": "11.1.16",
"nodebb-widget-essentials": "4.1.0",
"nodemailer": "^6.4.6",
"passport": "^0.4.1",
"passport-local": "1.0.0",
"pg": "^8.0.2",
"pg-cursor": "^2.1.9",
"postcss": "7.0.30",
"postcss": "7.0.27",
"postcss-clean": "1.1.0",
"promise-polyfill": "^8.1.3",
"prompt": "^1.0.0",
@@ -110,7 +110,7 @@
"sanitize-html": "^1.23.0",
"semver": "^7.2.1",
"serve-favicon": "^2.5.0",
"sharp": "0.25.3",
"sharp": "0.25.2",
"sitemap": "^6.1.0",
"socket.io": "2.3.0",
"socket.io-adapter-cluster": "^1.0.1",
@@ -136,15 +136,15 @@
"@commitlint/cli": "8.3.5",
"@commitlint/config-angular": "8.3.4",
"coveralls": "3.1.0",
"eslint": "7.1.0",
"eslint": "7.0.0",
"eslint-config-airbnb-base": "14.1.0",
"eslint-plugin-import": "2.20.2",
"grunt": "1.1.0",
"grunt-contrib-watch": "1.1.0",
"husky": "4.2.5",
"jsdom": "16.2.2",
"lint-staged": "10.2.6",
"mocha": "7.2.0",
"lint-staged": "10.2.0",
"mocha": "7.1.2",
"mocha-lcov-reporter": "1.3.0",
"nyc": "15.0.1",
"smtp-server": "3.6.0"

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "المشاركات",
"best": "الأفضل",
"votes": "Votes",
"voters": "Voters",
"upvoters": "الموافقين",
"upvoted": "مصوت بالموجب",
"downvoters": "مصوتين بالسالب",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "سجل الحظر الأحدث",
"info.no-ban-history": "هذا المستخدم لم يتم حظره مطلقا",
"info.banned-until": "محظور حتى %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "محظور بشكل دائم",
"info.banned-reason-label": "سبب",
"info.banned-no-reason": "لم يتم إعطاء سبب.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -18,4 +18,4 @@
"manual-run": "Ръчно разпращане на резюмето:",
"no-delivery-data": "Няма данни за доставката"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Всички категории",
"apply-filters": "Прилагане на филтрите",
"quick-actions": "Бързи действия",
"quick-links": "Бързи връзки",
"flagged-user": "Докладван потребител",
"view-profile": "Преглед на профила",
"start-new-chat": "Започване на нов разговор",
@@ -40,7 +40,7 @@
"add-note": "Добавяне на бележка",
"no-notes": "Няма споделени бележки.",
"history": "Акаунт и история на докладванията",
"history": "История на доклада",
"back": "Обратно към списъка с доклади",
"no-history": "Няма история на доклада.",

View File

@@ -53,7 +53,6 @@
"posts": "Публ.",
"best": "Най-добри",
"votes": "Гласове",
"voters": "Гласували",
"upvoters": "Гласували положително",
"upvoted": "С положителни гласове",
"downvoters": "Гласували отрицателно",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Скорошна история на блокиранията",
"info.no-ban-history": "Този потребител никога не е бил блокиран",
"info.banned-until": "Блокиран до %1",
"info.banned-expiry": "Давност",
"info.banned-permanently": "Блокиран за постоянно",
"info.banned-reason-label": "Причина",
"info.banned-no-reason": "Няма посочена причина.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "Във всеки един момент можете да оттеглите съгласието си за събиране и/или обработка на данни, като изтриете акаунта си. Вашият профил може да бъде изтрит, но публикуваното от Вас съдържание ще остане. Ако искате да изтриете както акаунта, така <strong>и</strong> съдържанието, публикувано от Вас, моля, свържете се с администрационния екип на уеб сайта.",
"consent.right_to_data_portability": "Имате право на пренос на данни",
"consent.right_to_data_portability_description": "Можете да изискате от нас всички събрани за Вас и акаунта Ви данни в машинен формат. Можете да направите това като натиснете съответния бутон по-долу.",
"consent.export_profile": "Изнасяне на профила (.json)",
"consent.export_profile": "Изнасяне на профила (.csv)",
"consent.export_uploads": "Изнасяне на каченото съдържание (.zip)",
"consent.export_posts": "Изнасяне на публикациите (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "পোস্টগুলি",
"best": "Best",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Upvoters",
"upvoted": "Upvoted",
"downvoters": "Downvoters",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Recent Ban History",
"info.no-ban-history": "This user has never been banned",
"info.banned-until": "Banned until %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Banned permanently",
"info.banned-reason-label": "Reason",
"info.banned-no-reason": "No reason given.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "Výchozí systémové",
"default-help": "Výchozí systémové znamená, že uživatel nemůže přenastavit celkové nastavení pravidel na fóru pro odesílání přehledů, které je momentálně<strong>%1</strong>",
"resend": "Znovu odeslat přehled",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Jste si jist/a, že chcete ručně spustit odeslání přehledu",
"resent-single": "Manuální znovu poslání přehledu bylo dokončeno",
"resent-day": "Znovu odeslat denní přehled",
"resent-week": "Znovu odeslat týdenní přehled",
@@ -18,4 +18,4 @@
"manual-run": "Spustit manuálně přehled:",
"no-delivery-data": "Žádná data odeslání nebyla nalezena"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Všechny kategorie",
"apply-filters": "Použít filtry",
"quick-actions": "Quick Actions",
"quick-links": "Rychlé odkazy",
"flagged-user": "Označený uživatel",
"view-profile": "Zobrazit profil",
"start-new-chat": "Začít novou konverzaci",
@@ -40,7 +40,7 @@
"add-note": "Přidat poznámku",
"no-notes": "Žádné sdílené poznámky.",
"history": "Account &amp; Flag History",
"history": "Historie označení",
"back": "Zpět k seznamu označení",
"no-history": "Žádná historie označení.",

View File

@@ -53,7 +53,6 @@
"posts": "Příspěvky",
"best": "Nejlepší",
"votes": "Počet hlasů",
"voters": "Voters",
"upvoters": "Souhlasník",
"upvoted": "Souhlasů",
"downvoters": "Nesouhlasník",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Poslední historie blokovaných",
"info.no-ban-history": "Tento uživatel nebyl nikdy zablokován",
"info.banned-until": "Zablokován do %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Trvale zablokován",
"info.banned-reason-label": "Důvod",
"info.banned-no-reason": "Bez důvodu",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "Kdykoliv můžete změnit svůj souhlas se shromažďováním dat a/nebo zpracování odstraněním vašeho účtu. Váš profil bude odstraněn, ačkoliv vaše příspěvky budou zachovány. Pokud si přejete odstranění <strong>jak účtu tak i obsahu</strong>, prosím kontaktujte správce této stránky.",
"consent.right_to_data_portability": "Máte právo na přenositelnost dat",
"consent.right_to_data_portability_description": "Můžete od nás požadovat strojně čitelné data, která byla sesbírána o Vás a vašem účtu. Učiníte tak kliknutím na tlačítka zobrazená níže.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Exportovat profil (*.csv)",
"consent.export_uploads": "Exportovat nahraný obsah (*.zip)",
"consent.export_posts": "Exportovat příspěvky (*.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "Indlæg",
"best": "Bedste",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Upvoters",
"upvoted": "Syntes godt om",
"downvoters": "Downvoters",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Recent Ban History",
"info.no-ban-history": "This user has never been banned",
"info.banned-until": "Banned until %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Banned permanently",
"info.banned-reason-label": "Reason",
"info.banned-no-reason": "No reason given.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -2,10 +2,10 @@
"events": "Ereignisse",
"no-events": "Es gibt keine Ereignisse",
"control-panel": "Ereignis-Steuerung",
"filters": "Filter",
"filters-apply": "Filter anwenden",
"filter-type": "Ereignistyp",
"filter-start": "Start-Datum",
"filter-end": "End-Datum",
"filter-perPage": "Pro Seite"
"filters": "Filters",
"filters-apply": "Apply Filters",
"filter-type": "Event Type",
"filter-start": "Start Date",
"filter-end": "End Date",
"filter-perPage": "Per Page"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Alle Kategorien",
"apply-filters": "Filter anwenden",
"quick-actions": "Quick Actions",
"quick-links": "Schnellnavigation",
"flagged-user": "Gemeldeter Benutzer",
"view-profile": "Profil ansehen",
"start-new-chat": "Neuen Chat beginnen",
@@ -40,7 +40,7 @@
"add-note": "Notiz hinzufügen",
"no-notes": "Keine geteilten Notizen",
"history": "Account &amp; Flag History",
"history": "Meldungsverlauf",
"back": "Zurück zur Meldungsliste",
"no-history": "Kein Meldungsverlauf",

View File

@@ -53,7 +53,6 @@
"posts": "Beiträge",
"best": "Bestbewertet",
"votes": "Stimmen",
"voters": "Voters",
"upvoters": "Upvoter",
"upvoted": "Positiv bewertet",
"downvoters": "Downvoter",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Sperrungsverlauf",
"info.no-ban-history": "Dieser Benutzer wurde noch nie gesperrt",
"info.banned-until": "Gesperrt bis zum %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Permanent gesperrt",
"info.banned-reason-label": "Grund",
"info.banned-no-reason": "Kein Grund angegeben.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "Du kannst deine Zustimmung zur Datensammlung und/oder Verarbeitung von Daten jederzeit widerrufen, indem du dein Konto löschst. Dein Individuelles Profil kann gelöscht werden, jedoch blieben deine Beiträge und sonstigen Inhalte. Wenn du sowohl dein Konto <strong>sowie auch</strong> deine Inhalten löschen willst, kontaktiere bitte die Administratoren dieser Seite.",
"consent.right_to_data_portability": "Du hast das Recht auf Datenportabilität",
"consent.right_to_data_portability_description": "Du kannst von uns eine Maschinen-Lesbare Datei von jeglichen gesammelten Daten von dir und deinem Konto anfordern, indem du unten auf den entsprechenden Knopf drückst. ",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Profil exportieren (.csv)",
"consent.export_uploads": "Hochgeladene Dateien exportieren (.zip)",
"consent.export_posts": "Beiträge exportieren (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "Δημοσιεύσεις",
"best": "Best",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Upvoters",
"upvoted": "Upvoted",
"downvoters": "Downvoters",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Recent Ban History",
"info.no-ban-history": "This user has never been banned",
"info.banned-until": "Banned until %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Banned permanently",
"info.banned-reason-label": "Reason",
"info.banned-no-reason": "No reason given.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -66,7 +66,6 @@
"posts": "Posts",
"best": "Best",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Upvoters",
"upvoted": "Upvoted",
"downvoters": "Downvoters",

View File

@@ -161,7 +161,6 @@
"info.ban-history": "Recent Ban History",
"info.no-ban-history": "This user has never been banned",
"info.banned-until": "Banned until %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Banned permanently",
"info.banned-reason-label": "Reason",
"info.banned-no-reason": "No reason given.",
@@ -192,7 +191,7 @@
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "Posts",
"best": "Best",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Upvoters",
"upvoted": "Upvoted",
"downvoters": "Downvoters",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Recent Ban History",
"info.no-ban-history": "This user has never been banned",
"info.banned-until": "Banned until %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Banned permanently",
"info.banned-reason-label": "Reason",
"info.banned-no-reason": "No reason given.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "Messages",
"best": "Best",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Upvoters",
"upvoted": "Upvoted",
"downvoters": "Downvoters",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Recent Ban History",
"info.no-ban-history": "This user has never been banned",
"info.banned-until": "Banned until %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Banned permanently",
"info.banned-reason-label": "Reason",
"info.banned-no-reason": "No reason given.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Todas las categorias",
"apply-filters": "Aplicar filtros",
"quick-actions": "Quick Actions",
"quick-links": "Links rapidos",
"flagged-user": "Usuario marcado",
"view-profile": "Ver perfil",
"start-new-chat": "Empezar nuevo chat",
@@ -40,7 +40,7 @@
"add-note": "Añadir nota",
"no-notes": "No hay notas compartidas",
"history": "Account &amp; Flag History",
"history": "Historico de marcadores",
"back": "Volver a la lista de marcadores",
"no-history": "No hay registro de marcadores",

View File

@@ -53,7 +53,6 @@
"posts": "Mensajes",
"best": "Mejor valorados",
"votes": "Votos",
"voters": "Voters",
"upvoters": "Positivos",
"upvoted": "Votado positivamente",
"downvoters": "Negativos",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Histórico reciente de bans",
"info.no-ban-history": "Este usuario nunca ha sido baneado",
"info.banned-until": "Baneado hasta %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Baneado permanentemente",
"info.banned-reason-label": "Motivo",
"info.banned-no-reason": "Motivo no especificado",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "En cualquier momento, usted puede revocar su consentimiento a la recolección y/o procesado de datos mediante el borrado de su cuenta. Su perfil individual puede ser borrado, aunque sus respuestas y entradas permanecerán. Si desea borrar su cuenta <strong>y</strong> el contenido (entradas, temas, respuestas...), por favor contacte el equipo administrativo de este sitio web.",
"consent.right_to_data_portability": "Usted tiene el Derecho a la Portabilidad de Datos",
"consent.right_to_data_portability_description": "Puede pedir de nosotros una exportación legible por máquinas de cualquier dato recolectado sobre usted y su cuenta. Puede hacerlo haciendo click en el botón apropiado abajo.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Exportar Perfil (.csv)",
"consent.export_uploads": "Exportar Contenido Subido (.zip)",
"consent.export_posts": "Exportar Entradas y Respuestas (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "Postitust",
"best": "Parim",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Poolt hääletajad",
"upvoted": "Kiideti heaks",
"downvoters": "Vastu hääletajad",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Hiljutiste keeldude ajalugu",
"info.no-ban-history": "Seda kasutajat pole kunagi keelustatud",
"info.banned-until": "Keelustatud kuni %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Igavesti keelustatud",
"info.banned-reason-label": "Reason",
"info.banned-no-reason": "No reason given.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -1,5 +1,5 @@
{
"alert.confirm-rebuild-and-restart": "آیا شما مطمئن هستید که شما می خواهید NodeBB را بازسازی و مجدداً راه اندازی کنید؟",
"alert.confirm-rebuild-and-restart": "آیا از راه اندازی مجدد و بازسازی نودبی‌بی مطمئن هستید؟",
"alert.confirm-restart": "آیا از راه اندازی مجدد نود‌بی‌بی مطمئن هستید؟",
"acp-title": "%1 | کنترل پنل مدیر کل نود‌بی‌بی",

View File

@@ -1,10 +1,10 @@
{
"post-cache": "کش دیدگاه ",
"posts-in-cache": "پست های موجود در کش",
"average-post-size": "اندازه متوسط دیدگاه",
"length-to-max": "طول / حداکثر",
"percent-full": "%1% تمام شده",
"post-cache-size": "سایز کش دیدگاه",
"post-cache": "Post Cache",
"posts-in-cache": "Posts in Cache",
"average-post-size": "Average Post Size",
"length-to-max": "Length / Max",
"percent-full": "%1% Full",
"post-cache-size": "Post Cache Size",
"items-in-cache": "موارد موجود در کش",
"control-panel": "کنترل پنل",
"update-settings": "به روز رسانی تنظیمات کش"

View File

@@ -2,34 +2,34 @@
"x-b": "%1 b",
"x-mb": "%1 mb",
"x-gb": "%1 gb",
"uptime-seconds": "آپتایم در ثانیه",
"uptime-days": "آپتایم در روز",
"uptime-seconds": "Uptime in Seconds",
"uptime-days": "Uptime in Days",
"mongo": "پایگاه داده مونگو",
"mongo.version": "ورژن پایگاه داده مونگو دیبی",
"mongo.storage-engine": "سیستم ذخیره سازی",
"mongo.collections": "مجموعه ها",
"mongo.objects": "اشیا ",
"mongo.avg-object-size": "میانگین سایز اشیا",
"mongo.data-size": "سایز اطلاعات",
"mongo.storage-size": "اندازه محل ذخیره سازی",
"mongo.index-size": "اندازه شاخص",
"mongo.file-size": "اندازه فایل",
"mongo.resident-memory": "حافظه مقیم",
"mongo": "Mongo",
"mongo.version": "MongoDB Version",
"mongo.storage-engine": "Storage Engine",
"mongo.collections": "Collections",
"mongo.objects": "Objects",
"mongo.avg-object-size": "Avg. Object Size",
"mongo.data-size": "Data Size",
"mongo.storage-size": "Storage Size",
"mongo.index-size": "Index Size",
"mongo.file-size": "File Size",
"mongo.resident-memory": "Resident Memory",
"mongo.virtual-memory": "حافظۀ مجازی",
"mongo.mapped-memory": "حافظه نقشه شده",
"mongo.bytes-in": "بایت های ورودی",
"mongo.bytes-out": "بایت های خروجی",
"mongo.num-requests": "تعداد درخواست ها",
"mongo.raw-info": "اطلاعات پایه پایگاه داده مونگو دی بی",
"mongo.unauthorized": "NodeBB نتوانست پرس و جوی آماری را از مونگو دی بی دریافت کند لطفا مطمئن شوید کاربر که NodeBB به وسیله آن به مونگو دیبی متصل شده است مجوز clusterMonitor را برای مدیر داشته باشد",
"mongo.mapped-memory": "Mapped Memory",
"mongo.bytes-in": "Bytes In",
"mongo.bytes-out": "Bytes Out",
"mongo.num-requests": "Number of Requests",
"mongo.raw-info": "MongoDB Raw Info",
"mongo.unauthorized": "NodeBB was unable to query the MongoDB database for relevant statistics. Please ensure that the user in use by NodeBB contains the &quot;clusterMonitor&quot; role for the &quot;admin&quot; database.",
"redis": "ردیس",
"redis.version": "ورژن ردیس",
"redis.keys": "کلید ها",
"redis.expires": "انقضا",
"redis.avg-ttl": "میانگین TTL",
"redis.connected-clients": "کلاینت های متصل شده",
"redis": "Redis",
"redis.version": "Redis Version",
"redis.keys": "Keys",
"redis.expires": "Expires",
"redis.avg-ttl": "Average TTL",
"redis.connected-clients": "Connected Clients",
"redis.connected-slaves": "Connected Slaves",
"redis.blocked-clients": "Blocked Clients",
"redis.used-memory": "Used Memory",

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -1,19 +1,19 @@
{
"section-general": "عمومی",
"section-general": "General",
"general/dashboard": "Dashboard",
"general/homepage": "Home Page",
"general/navigation": "ناوبری",
"general/navigation": "Navigation",
"general/languages": "Languages",
"general/sounds": "Sounds",
"general/social": "اجتماعی",
"general/social": "Social",
"section-manage": "Manage",
"manage/categories": "Categories",
"manage/privileges": "Privileges",
"manage/tags": "Tags",
"manage/users": "کاربران",
"manage/users": "Users",
"manage/admins-mods": "Admins & Mods",
"manage/registration": "صف ثبت نام",
"manage/registration": "Registration Queue",
"manage/post-queue": "Post Queue",
"manage/groups": "Groups",
"manage/ip-blacklist": "IP Blacklist",
@@ -23,17 +23,17 @@
"section-settings": "Settings",
"settings/general": "General",
"settings/reputation": "Reputation",
"settings/email": "رایانامه",
"settings/user": "کاربر",
"settings/email": "Email",
"settings/user": "User",
"settings/group": "Group",
"settings/guest": "Guests",
"settings/uploads": "Uploads",
"settings/post": "دیدگاه",
"settings/chat": "گفتمان",
"settings/post": "Post",
"settings/chat": "Chat",
"settings/pagination": "Pagination",
"settings/tags": "برچسب ها",
"settings/notifications": "آگاه‌سازی‌ها",
"settings/cookies": "کوکی ها",
"settings/tags": "Tags",
"settings/notifications": "Notifications",
"settings/cookies": "Cookies",
"settings/web-crawler": "Web Crawler",
"settings/sockets": "Sockets",
"settings/advanced": "Advanced",
@@ -45,24 +45,24 @@
"appearance/skins": "Skins",
"appearance/customise": "Custom Content (HTML/JS/CSS)",
"section-extend": "گسترش",
"section-extend": "Extend",
"extend/plugins": "Plugins",
"extend/widgets": "Widgets",
"extend/rewards": "Rewards",
"section-social-auth": "ورود با شبکه های اجتماعیث",
"section-social-auth": "Social Authentication",
"section-plugins": "Plugins\n",
"extend/plugins.install": "نصب افزونه ها",
"extend/plugins.install": "Install Plugins",
"section-advanced": "پیشرفته",
"advanced/database": "پایگاه داده",
"section-advanced": "Advanced",
"advanced/database": "Database",
"advanced/events": "Events",
"advanced/hooks": "Hooks",
"advanced/logs": "سیاهه ها",
"advanced/logs": "Logs",
"advanced/errors": "Errors",
"advanced/cache": "کش ",
"development/logger": "سیاهه ساز",
"advanced/cache": "Cache",
"development/logger": "Logger",
"development/info": "Info",
"rebuild-and-restart-forum": "Rebuild & Restart Forum",
@@ -70,13 +70,13 @@
"logout": "Log out",
"view-forum": "View Forum",
"search.placeholder": "جستجو در تنظیمات",
"search.no-results": "هیچ نتیجه ای وجود ندارد",
"search.search-forum": "جستجو در انجمن برای ",
"search.keep-typing": "لطفا برای مشاهده نتیجه بیشتر بنویسید",
"search.placeholder": "Search for settings",
"search.no-results": "No results...",
"search.search-forum": "Search the forum for <strong></strong>",
"search.keep-typing": "Type more to see results...",
"search.start-typing": "Start typing to see results...",
"connection-lost": "اتصال شما به %1 به نظر می‌رسد از دست رفته. لطفا صبر کنید ما سعی می‌کنیم که دوباره شما را متصل کنیم.",
"connection-lost": "Connection to %1 has been lost, attempting to reconnect...",
"alerts.version": "Running <strong>NodeBB v%1</strong>",
"alerts.upgrade": "Upgrade to v%1"

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "همه دسته بندی ها",
"apply-filters": "اعمال فیلتر ها",
"quick-actions": "Quick Actions",
"quick-links": "لینک های سریع",
"flagged-user": "کاربر گزارش شده",
"view-profile": "نمایش پروفایل",
"start-new-chat": "شروع چت جدید",
@@ -40,7 +40,7 @@
"add-note": "افزودن یادداشت",
"no-notes": "بدون یادداشت",
"history": "Account &amp; Flag History",
"history": "تاریخچه گزارش ",
"back": "بازگشت به لیست گزارش ها",
"no-history": "بدون تاریخچه گزارش",

View File

@@ -53,7 +53,6 @@
"posts": "دیدگاه‌ها",
"best": "بهترین",
"votes": "رای ها",
"voters": "Voters",
"upvoters": "موافقین",
"upvoted": "رای مثبت",
"downvoters": "مخالفین",

View File

@@ -8,7 +8,7 @@
"outgoing_link_message": "شما در حال ترک %1 هستید",
"continue_to": "ادامه به %1",
"return_to": "بازگشت به %1",
"new_notification": "شما یک آگاه‌سازی تازه دارید",
"new_notification": "You have a new notification",
"you_have_unread_notifications": "شما آگاه‌سازی‌‌های نخوانده دارید.",
"all": "همه",
"topics": "موضوع ها",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "تاریخچه مسدودیت اخیر",
"info.no-ban-history": "این کاربر هرگز مسدود نشده است",
"info.banned-until": "مسدود شده تا %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "مسدود شده به طور دائم",
"info.banned-reason-label": "دلیل",
"info.banned-no-reason": "هیچ دلیلی ارایه نشد.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "صادر کردن مشخصات کاربری (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "Viestit",
"best": "Paras",
"votes": "Ääniä",
"voters": "Voters",
"upvoters": "Tykkääjät",
"upvoted": "Tykätyt",
"downvoters": "Downvoters",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Recent Ban History",
"info.no-ban-history": "This user has never been banned",
"info.banned-until": "Banned until %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Banned permanently",
"info.banned-reason-label": "Syy ",
"info.banned-no-reason": "Syytä ei ole annettu",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "Valeur par défaut",
"default-help": "<em>La valeur par défaut</em> signifie que l'utilisateur n'a pas explicitement modifié ses paramètres pour les résumés; qui sont : &quot;<strong>%1</strong>&quot;",
"resend": "Renvoi",
"resend-all-confirm": "Voulez-vous vraiment exécuter manuellement cette envoi ?",
"resend-all-confirm": "Êtes-vous sûr de vouloir exécuter manuellement ce résumé?",
"resent-single": "Renvoi manuel du Résumé terminé",
"resent-day": "Résumé quotidienne renvoyé",
"resent-week": "Résumé hebdomadaire renvoyé",
@@ -18,4 +18,4 @@
"manual-run": "Lancer le résumé manuellement:",
"no-delivery-data": "Aucune donnée d'envoi trouvée"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Toutes les catégories",
"apply-filters": "Appliquer les filtres",
"quick-actions": "Actions Rapide",
"quick-links": "Permaliens",
"flagged-user": "Utilisateurs signalés",
"view-profile": "Voir le profil",
"start-new-chat": "Démarrer un nouveau Chat",
@@ -40,7 +40,7 @@
"add-note": "Ajouter une note",
"no-notes": "aucune note partagée",
"history": "Compte &amp; Historique des signalements",
"history": "Historiques des signalements",
"back": "Revenir à la liste des signalements",
"no-history": "aucun historique de signalements",

View File

@@ -53,7 +53,6 @@
"posts": "Messages",
"best": "Meilleur sujets",
"votes": "Votes",
"voters": "Votants",
"upvoters": "Votes positifs",
"upvoted": "Vote(s) positif(s)",
"downvoters": "Votes contre",

View File

@@ -35,7 +35,7 @@
"user_posted_to_dual": "<strong>%1</strong> et <strong>%2</strong> ont posté une réponse à : <strong>%3</strong>",
"user_posted_to_multiple": "<strong>%1</strong> et %2 autres ont posté une réponse à : <strong>%3</strong>",
"user_posted_topic": "<strong>%1</strong> a posté un nouveau sujet: <strong>%2</strong>.",
"user_edited_post": "<strong>%1</strong> a édité un message dans <strong>%2</strong>",
"user_edited_post": "<strong>%1</strong> has edited a post in <strong>%2</strong>",
"user_started_following_you": "<strong>%1</strong> vous suit.",
"user_started_following_you_dual": "<strong>%1</strong> et <strong>%2</strong> se sont abonnés à votre compte.",
"user_started_following_you_multiple": "<strong>%1</strong> et %2 autres se sont abonnés à votre compte.",
@@ -54,7 +54,7 @@
"notificationType_upvote": "Lorsque quelqu'un a voté pour un de vos messages",
"notificationType_new-topic": "Lorsque quelqu'un que vous suivez publie un sujet",
"notificationType_new-reply": "Lorsqu'une nouvelle réponse est ajoutée dans un sujet que vous suivez",
"notificationType_post-edit": "Lorsqu'un article est modifié dans un sujet que vous regardez",
"notificationType_post-edit": "When a post is edited in a topic you are watching",
"notificationType_follow": "Lorsque quelqu'un commence à vous suivre",
"notificationType_new-chat": "Lorsque vous recevez un message du chat ",
"notificationType_group-invite": "Lorsque vous recevez une invitation d'un groupe",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Historique de bannissement récent",
"info.no-ban-history": "Cet utilisateur n'a jamais été banni",
"info.banned-until": "Banni jusqu'au %1",
"info.banned-expiry": "Expiration",
"info.banned-permanently": "Banni de façon permanente",
"info.banned-reason-label": "Raison",
"info.banned-no-reason": "Aucune raison donnée",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "Vous pouvez à tout moment révoquer votre accord à la collecte et/ou aux traitements de données en supprimant votre compte. Votre profil individuel peut être supprimé, bien que le contenu que vous avez publié restera affiché. Si vous souhaitez supprimer à la fois votre compte <strong>et</strong> votre contenu, veuillez contacter l'équipe administrative pour ce site.",
"consent.right_to_data_portability": "Vous avez la possibilité de portabilité des données.",
"consent.right_to_data_portability_description": "Vous pouvez exporter de toutes vos données collectées. Vous pouvez le faire en cliquant sur le bouton ci-dessous.",
"consent.export_profile": "Exporter Profile (.json)",
"consent.export_profile": "Exporter votre profile (.csv)",
"consent.export_uploads": "Exporter le contenu de vos fichiers envoyés (.zip)",
"consent.export_posts": "Exporter vos messages (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Tódalas categorías",
"apply-filters": "Aplicar filtros",
"quick-actions": "Quick Actions",
"quick-links": "Ligazóns rápidas",
"flagged-user": "Usuario marcado",
"view-profile": "Ver perfil",
"start-new-chat": "Comezar novo chat",
@@ -40,7 +40,7 @@
"add-note": "Engadir nota",
"no-notes": "Ningunha nota foi compartida",
"history": "Account &amp; Flag History",
"history": "Historial de avisos",
"back": "Voltar á lista de avisos",
"no-history": "Non hai historial de avisos",

View File

@@ -53,7 +53,6 @@
"posts": "Publicacións",
"best": "Mellor",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Positivos",
"upvoted": "Votado positivamente",
"downvoters": "Negativos",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Histórico recente de bans",
"info.no-ban-history": "Este usuario nunca foi baneado",
"info.banned-until": "Baneado hasta 1%",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Baneado permanentemente",
"info.banned-reason-label": "Motivo",
"info.banned-no-reason": "Motivo non especificado",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -20,7 +20,7 @@
"mongo.mapped-memory": "זיכרון ממופה",
"mongo.bytes-in": "Bytes In",
"mongo.bytes-out": "Bytes Out",
"mongo.num-requests": "מספר בקשות",
"mongo.num-requests": "Number of Requests",
"mongo.raw-info": "מידע לא מעובד מMongoDB",
"mongo.unauthorized": "NodeBB was unable to query the MongoDB database for relevant statistics. Please ensure that the user in use by NodeBB contains the &quot;clusterMonitor&quot; role for the &quot;admin&quot; database.",

View File

@@ -1,11 +1,11 @@
{
"custom-css": "CSS/LESS מותאם אישית",
"custom-css.description": "הזן כאן CSS / LESS משלך, שיוחלו לאחר כל הסגנונות האחרים.",
"custom-css.enable": "אפשר CSS / LESS מותאמים אישית",
"custom-css": "Custom CSS/LESS",
"custom-css.description": "Enter your own CSS/LESS declarations here, which will be applied after all other styles.",
"custom-css.enable": "Enable Custom CSS/LESS",
"custom-js": "Javascript מותאם אישית",
"custom-js.description": "הזן כאן javascript משלך. זה יבוצע לאחר טעינת הדף לחלוטין.",
"custom-js.enable": "אפשר Javascript מותאם אישית",
"custom-js": "Custom Javascript",
"custom-js.description": "Enter your own javascript here. It will be executed after the page is loaded completely.",
"custom-js.enable": "Enable Custom Javascript",
"custom-header": "Custom Header",
"custom-header.description": "Enter custom HTML here (ex. Meta Tags, etc.), which will be appended to the <code>&lt;head&gt;</code> section of your forum's markup. Script tags are allowed, but are discouraged, as the <a href=\"#custom-js\" data-toggle=\"tab\">Custom Javascript</a> tab is available.",

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "כל הקטגוריות",
"apply-filters": "הפעל סינון",
"quick-actions": "Quick Actions",
"quick-links": "קישורים מהירים",
"flagged-user": "משתמש מסומן",
"view-profile": "צפה בפרופיל",
"start-new-chat": "התחל שיחה חדשה",
@@ -40,7 +40,7 @@
"add-note": "הוסף הערה",
"no-notes": "אין הערות",
"history": "Account &amp; Flag History",
"history": "היסטוריית הסימונים",
"back": "חזרה לרשימת הסימונים",
"no-history": "אין הסיטוריית סימונים",

View File

@@ -53,7 +53,6 @@
"posts": "פוסטים",
"best": "הגבוה ביותר",
"votes": "הצבעות",
"voters": "Voters",
"upvoters": "מצביעי בעד",
"upvoted": "הוצבע בעד",
"downvoters": "מצביעי נגד",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "היסטוריית הרחקות",
"info.no-ban-history": "משתמש זה מעולם לא הורחק",
"info.banned-until": "הורחק עד %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "הורחק לצמיתות",
"info.banned-reason-label": "סיבה",
"info.banned-no-reason": "לא ניתנה סיבה.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "בכל עת תוכל לבטל את הסכמתך לאיסוף נתונים ו / או עיבודם על ידי מחיקת חשבונך. מחיקת הפרופיל שלך לא תגרום למחיקת התוכנים שפרסמת. על מנת למחוק את חשבונך <strong> ואת </strong> התוכן המקושר לו צור קשר עם צוות הניהול של האתר.",
"consent.right_to_data_portability": "זכותך לניוד הנתונים",
"consent.right_to_data_portability_description": "באפרותך לבקש ייצוא של כל הנתונים שנאספו מחשבונך אודותיך. תוכל לעשות זאת על ידי לחיצה על הלחצן המתאים מטה.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "יצוא פרופיל (CVS.)",
"consent.export_uploads": "יצוא תוכן שהועלה (ZIP.)",
"consent.export_posts": "יצוא פוסטים (CVS.)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Sve kategorije",
"apply-filters": "Primjeni filtere",
"quick-actions": "Quick Actions",
"quick-links": "Brze poveznice",
"flagged-user": "Označeni korisnici",
"view-profile": "Pogledaj profil",
"start-new-chat": "Pokreni novi razgovor",
@@ -40,7 +40,7 @@
"add-note": "Dodaj bilješku",
"no-notes": "Nema podijeljenih bilješki",
"history": "Account &amp; Flag History",
"history": "Povijest zastava",
"back": "Nazad na popis zastava",
"no-history": "Nema povijesti zastava.",

View File

@@ -53,7 +53,6 @@
"posts": "Objave",
"best": "Najbolje",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Pozitivni glasači",
"upvoted": "Glasova za",
"downvoters": "Glasači protiv",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Povijest nedavno blokiranih",
"info.no-ban-history": "Ovaj korisnik nikad nije bio blokiran",
"info.banned-until": "Blokiran do %1!",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Trajno blokiran",
"info.banned-reason-label": "Razlog",
"info.banned-no-reason": "Razlog nije dan.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Minden kategória",
"apply-filters": "Szűrők alkalmazása",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Megjelölt felhasználó",
"view-profile": "Profil megtekintése",
"start-new-chat": "Új chat indítása",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "Hozzászólások",
"best": "Legjobb",
"votes": "Szavazatok",
"voters": "Voters",
"upvoters": "Kedvelők",
"upvoted": "Kedvelt",
"downvoters": "Utálók",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Kitiltási előzmény",
"info.no-ban-history": "A felhasználó sosem volt kitiltva",
"info.banned-until": "Kitiltás lejárata: %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Végleges kitiltás",
"info.banned-reason-label": "Oka",
"info.banned-no-reason": "Az oka nincs megadva.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "Az adatgyűjtésre és/vagy feldolgozásra adott jóváhagyásodat bármikor hatálytalaníthatod fiókod törlésével. Noha egyéni profilod törlésre ítélhető, közzétett tartalmaid megmaradnak. Ha törölni kívánod mind profilod <strong>és</strong> tartalmaid, kérlek lépj kapcsolatba az oldal adminisztratív csapatával.",
"consent.right_to_data_portability": "Jogodban áll az adathordozhatóság",
"consent.right_to_data_portability_description": "Kérelmezhetsz tőlünk egy gép által olvasható kivonatot bármilyen, a rólad és fiókodról gyűjtött adatról. Ezt alább a megfelelő gomb megnyomásával teheted meg.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Profil exportálása (.csv)",
"consent.export_uploads": "Feltöltött tartalom exportálása (.zip)",
"consent.export_posts": "Hozzászólások exportálása (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "System default",
"default-help": "<em>System default</em> means the user has not explicitly overridden the global forum setting for digests, which is currently: &quot;<strong>%1</strong>&quot;",
"resend": "Resend Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Are you sure you wish to mnually execute this digest run?",
"resent-single": "Manual digest resend completed",
"resent-day": "Daily digest resent",
"resent-week": "Weekly digest resent",
@@ -18,4 +18,4 @@
"manual-run": "Manual digest run:",
"no-delivery-data": "No delivery data found"
}
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "All categories",
"apply-filters": "Apply Filters",
"quick-actions": "Quick Actions",
"quick-links": "Quick Links",
"flagged-user": "Flagged User",
"view-profile": "View Profile",
"start-new-chat": "Start New Chat",
@@ -40,7 +40,7 @@
"add-note": "Add Note",
"no-notes": "No shared notes.",
"history": "Account &amp; Flag History",
"history": "Flag History",
"back": "Back to Flags List",
"no-history": "No flag history.",

View File

@@ -53,7 +53,6 @@
"posts": "Post",
"best": "Best",
"votes": "Votes",
"voters": "Voters",
"upvoters": "Upvoters",
"upvoted": "Upvoted",
"downvoters": "Downvoters",

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Recent Ban History",
"info.no-ban-history": "This user has never been banned",
"info.banned-until": "Banned until %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Banned permanently",
"info.banned-reason-label": "Reason",
"info.banned-no-reason": "No reason given.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "At any time, you are able to revoke your consent to data collection and/or processing by deleting your account. Your individual profile can be deleted, although your posted content will remain. If you wish to delete both your account <strong>and</strong> your content, please contact the administrative team for this website.",
"consent.right_to_data_portability": "You have the Right to Data Portability",
"consent.right_to_data_portability_description": "You may request from us a machine-readable export of any collected data about you and your account. You can do so by clicking the appropriate button below.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Export Profile (.csv)",
"consent.export_uploads": "Export Uploaded Content (.zip)",
"consent.export_posts": "Export Posts (.csv)"
}

View File

@@ -9,7 +9,7 @@
"default": "Sistema predefinito",
"default-help": "<em>Sistema predefinito</em> significa che l'utente non ha esplicitamente sovrascritto l'impostazione del forum globale per i digest, che attualmente è: & quot;<strong>%1</strong>&quot;",
"resend": "Rinvia Digest",
"resend-all-confirm": "Are you sure you wish to manually execute this digest run?",
"resend-all-confirm": "Sei sicuro di voler eseguire manualmente questa corsa digest?",
"resent-single": "Invio del digest manuale completato",
"resent-day": "Rinvio digest giornaliero",
"resent-week": "Rinvio del digest settimanale",
@@ -18,4 +18,4 @@
"manual-run": "Esecuzione digest manuale:",
"no-delivery-data": "Nessun dato di consegna trovato"
}
}

View File

@@ -1,8 +1,8 @@
{
"site-settings": "Impostazioni Sito",
"title": "Titolo Sito",
"title.short": "Titolo abbreviato",
"title.short-placeholder": "Se non specifichi un titolo abbreviato, verrà utilizzato il titolo completo",
"title.short": "Short Title",
"title.short-placeholder": "If no short title is specified, the site title will be used",
"title.url": "URL",
"title.url-placeholder": "L'URL del titolo del sito",
"title.url-help": "Quando si clicca sul titolo, invia gli utenti a questo indirizzo. Se lasciato vuoto, l'utente sarà inviato all'indice del forum.",
@@ -36,6 +36,6 @@
"outgoing-links.whitelist": "Domini nella whitelist per aggirare la pagina di avviso",
"site-colors": "Site Color Metadata",
"theme-color": "Theme Color",
"background-color": "Colore di sfondo",
"background-color": "Background Color",
"background-color-help": "Color used for splash screen background when website is installed as a PWA"
}

View File

@@ -27,7 +27,7 @@
"filter-cid-all": "Tutte le categorie",
"apply-filters": "Applica Filtri",
"quick-actions": "Azioni rapide",
"quick-links": "Collegamenti Rapidi",
"flagged-user": "Utente Segnalato",
"view-profile": "Vedi Profilo",
"start-new-chat": "Inizia Nuova Chat",
@@ -40,7 +40,7 @@
"add-note": "Aggiungi Nota",
"no-notes": "Nessuna nota condivisa",
"history": "Cronologia segnalazioni account",
"history": "Cronologia Segnalazione",
"back": "Torna all'elenco segnalazioni",
"no-history": "Nessuna cronologia segnalazione.",

View File

@@ -53,7 +53,6 @@
"posts": "Post",
"best": "Migliore",
"votes": "Votazioni",
"voters": "Voters",
"upvoters": "Hanno votato positivamente",
"upvoted": "Apprezzati",
"downvoters": "Votata negativamente",

View File

@@ -1,5 +1,5 @@
{
"name": "Italiano",
"name": "Inglese (Inghilterra/Canada)",
"code": "it",
"dir": "ltr"
}

View File

@@ -144,7 +144,6 @@
"info.ban-history": "Storico dei Ban recenti",
"info.no-ban-history": "Questo utente non è mai stato bannato",
"info.banned-until": "Bannato fino %1",
"info.banned-expiry": "Expiry",
"info.banned-permanently": "Bannato permanentemente",
"info.banned-reason-label": "Motivo",
"info.banned-no-reason": "Non è stata data nessuna motivazione.",
@@ -171,7 +170,7 @@
"consent.right_to_erasure_description": "In qualsiasi momento, puoi revocare il tuo consenso alla raccolta e / o al trattamento dei dati eliminando il tuo account. Il tuo profilo individuale può essere eliminato, anche se i contenuti pubblicati rimarranno. Se desideri eliminare entrambi i tuoi account <strong>e</strong> i tuoi contenuti, contatta il team amministrativo per questo sito Web.",
"consent.right_to_data_portability": "Hai i privilegi alla portabilità dei dati",
"consent.right_to_data_portability_description": "Puoi richiedere da noi un'esportazione leggibile meccanicamente di tutti i dati raccolti su di te e sul tuo account. Puoi farlo facendo clic sul pulsante appropriato in basso.",
"consent.export_profile": "Export Profile (.json)",
"consent.export_profile": "Esporta i profili (.csv)",
"consent.export_uploads": "Esporta i contenuti caricati (.zip)",
"consent.export_posts": "Esporta i post (.csv)"
}

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