diff --git a/Gemfile.lock b/Gemfile.lock index bd46133d2f..85da258e69 100644 --- a/Gemfile.lock +++ b/Gemfile.lock @@ -170,7 +170,7 @@ GEM mock_redis (0.15.4) moneta (0.8.0) msgpack (0.7.6) - multi_json (1.11.2) + multi_json (1.12.1) multi_xml (0.5.5) multipart-post (2.0.0) mustache (1.0.3) @@ -216,7 +216,7 @@ GEM omniauth-twitter (1.2.1) json (~> 1.3) omniauth-oauth (~> 1.1) - onebox (1.5.43) + onebox (1.5.44) htmlentities (~> 4.3.4) moneta (~> 0.8) multi_json (~> 1.11) diff --git a/app/assets/images/grippie.png b/app/assets/images/grippie.png deleted file mode 100644 index d01faf5a3c..0000000000 Binary files a/app/assets/images/grippie.png and /dev/null differ diff --git a/app/assets/javascripts/admin/controllers/admin-dashboard.js.es6 b/app/assets/javascripts/admin/controllers/admin-dashboard.js.es6 index 0e0b33b513..82cedfee59 100644 --- a/app/assets/javascripts/admin/controllers/admin-dashboard.js.es6 +++ b/app/assets/javascripts/admin/controllers/admin-dashboard.js.es6 @@ -1,56 +1,95 @@ import { setting } from 'discourse/lib/computed'; import AdminDashboard from 'admin/models/admin-dashboard'; +import VersionCheck from 'admin/models/version-check'; +import Report from 'admin/models/report'; +import AdminUser from 'admin/models/admin-user'; +import computed from 'ember-addons/ember-computed-decorators'; + +const PROBLEMS_CHECK_MINUTES = 1; + +const ATTRIBUTES = [ 'disk_space','admins', 'moderators', 'blocked', 'suspended', 'top_traffic_sources', + 'top_referred_topics', 'updated_at']; + +const REPORTS = [ 'global_reports', 'page_view_reports', 'private_message_reports', 'http_reports', + 'user_reports', 'mobile_reports']; // This controller supports the default interface when you enter the admin section. export default Ember.Controller.extend({ - loading: true, + loading: null, versionCheck: null, - problemsCheckMinutes: 1, - + dashboardFetchedAt: null, showVersionChecks: setting('version_checks'), - foundProblems: function() { - return(Discourse.User.currentProp('admin') && this.get('problems') && this.get('problems').length > 0); - }.property('problems'), + @computed('problems.length') + foundProblems(problemsLength) { + return this.currentUser.get('admin') && (problemsLength || 0) > 1; + }, - thereWereProblems: function() { - if(!Discourse.User.currentProp('admin')) { return false; } - if( this.get('foundProblems') ) { + @computed('foundProblems') + thereWereProblems(foundProblems) { + if (!this.currentUser.get('admin')) { return false; } + + if (foundProblems) { this.set('hadProblems', true); return true; } else { return this.get('hadProblems') || false; } - }.property('foundProblems'), + }, - loadProblems: function() { + fetchDashboard() { + if (!this.get('dashboardFetchedAt') || moment().subtract(30, 'minutes').toDate() > this.get('dashboardFetchedAt')) { + this.set('dashboardFetchedAt', new Date()); + this.set('loading', true); + const versionChecks = this.siteSettings.version_checks; + AdminDashboard.find().then(d => { + if (versionChecks) { + this.set('versionCheck', VersionCheck.create(d.version_check)); + } + + REPORTS.forEach(name => this.set(name, d[name].map(r => Report.create(r)))); + + const topReferrers = d.top_referrers; + if (topReferrers && topReferrers.data) { + d.top_referrers.data = topReferrers.data.map(user => AdminUser.create(user)); + this.set('top_referrers', topReferrers); + } + + ATTRIBUTES.forEach(a => this.set(a, d[a])); + this.set('loading', false); + }); + } + + if (!this.get('problemsFetchedAt') || moment().subtract(PROBLEMS_CHECK_MINUTES, 'minutes').toDate() > this.get('problemsFetchedAt')) { + this.loadProblems(); + } + }, + + loadProblems() { this.set('loadingProblems', true); this.set('problemsFetchedAt', new Date()); - var c = this; - AdminDashboard.fetchProblems().then(function(d) { - c.set('problems', d.problems); - c.set('loadingProblems', false); - if( d.problems && d.problems.length > 0 ) { - c.problemsCheckInterval = 1; - } else { - c.problemsCheckInterval = 10; - } + AdminDashboard.fetchProblems().then(d => { + this.set('problems', d.problems); + }).finally(() => { + this.set('loadingProblems', false); }); }, - problemsTimestamp: function() { - return moment(this.get('problemsFetchedAt')).format('LLL'); - }.property('problemsFetchedAt'), + @computed('problemsFetchedAt') + problemsTimestamp(problemsFetchedAt) { + return moment(problemsFetchedAt).format('LLL'); + }, - updatedTimestamp: function() { - return moment(this.get('updated_at')).format('LLL'); - }.property('updated_at'), + @computed('updated_at') + updatedTimestamp(updatedAt) { + return moment(updatedAt).format('LLL'); + }, actions: { - refreshProblems: function() { + refreshProblems() { this.loadProblems(); }, - showTrafficReport: function() { + showTrafficReport() { this.set("showTrafficReport", true); } } diff --git a/app/assets/javascripts/admin/models/version-check.js.es6 b/app/assets/javascripts/admin/models/version-check.js.es6 index fc8c1bf5e2..75f0d9e04f 100644 --- a/app/assets/javascripts/admin/models/version-check.js.es6 +++ b/app/assets/javascripts/admin/models/version-check.js.es6 @@ -1,42 +1,53 @@ import { ajax } from 'discourse/lib/ajax'; +import computed from 'ember-addons/ember-computed-decorators'; + const VersionCheck = Discourse.Model.extend({ - noCheckPerformed: function() { - return this.get('updated_at') === null; - }.property('updated_at'), + @computed('updated_at') + noCheckPerformed(updatedAt) { + return updatedAt === null; + }, - dataIsOld: function() { - return this.get('version_check_pending') || moment().diff(moment(this.get('updated_at')), 'hours') >= 48; - }.property('updated_at'), + @computed('updated_at', 'version_check_pending') + dataIsOld(updatedAt, versionCheckPending) { + return versionCheckPending || moment().diff(moment(updatedAt), 'hours') >= 48; + }, - staleData: function() { - return ( this.get('dataIsOld') || - (this.get('installed_version') !== this.get('latest_version') && this.get('missing_versions_count') === 0) || - (this.get('installed_version') === this.get('latest_version') && this.get('missing_versions_count') !== 0) ); - }.property('dataIsOld', 'missing_versions_count', 'installed_version', 'latest_version'), + @computed('dataIsOld', 'installed_version', 'latest_version', 'missing_versions_count') + staleData(dataIsOld, installedVersion, latestVersion, missingVersionsCount) { + return dataIsOld || + (installedVersion !== latestVersion && missingVersionsCount === 0) || + (installedVersion === latestVersion && missingVersionsCount !== 0); + }, - upToDate: function() { - return this.get('missing_versions_count') === 0 || this.get('missing_versions_count') === null; - }.property('missing_versions_count'), + @computed('missing_versions_count') + upToDate(missingVersionsCount) { + return missingVersionsCount === 0 || missingVersionsCount === null; + }, - behindByOneVersion: function() { - return this.get('missing_versions_count') === 1; - }.property('missing_versions_count'), + @computed('missing_versions_count') + behindByOneVersion(missingVersionsCount) { + return missingVersionsCount === 1; + }, - gitLink: function() { - return "https://github.com/discourse/discourse/tree/" + this.get('installed_sha'); - }.property('installed_sha'), + @computed('git_branch', 'installed_sha') + gitLink(gitBranch, installedSHA) { + if (gitBranch) { + return `https://github.com/discourse/discourse/compare/${installedSHA}...${gitBranch}`; + } else { + return `https://github.com/discourse/discourse/tree/${installedSHA}`; + } + }, - shortSha: function() { - return this.get('installed_sha').substr(0,10); - }.property('installed_sha') + @computed('installed_sha') + shortSha(installedSHA) { + return installedSHA.substr(0, 10); + } }); VersionCheck.reopenClass({ - find: function() { - return ajax('/admin/version_check').then(function(json) { - return VersionCheck.create(json); - }); + find() { + return ajax('/admin/version_check').then(json => VersionCheck.create(json)); } }); diff --git a/app/assets/javascripts/admin/routes/admin-dashboard.js.es6 b/app/assets/javascripts/admin/routes/admin-dashboard.js.es6 index b080834d0b..afb2eaaec5 100644 --- a/app/assets/javascripts/admin/routes/admin-dashboard.js.es6 +++ b/app/assets/javascripts/admin/routes/admin-dashboard.js.es6 @@ -1,48 +1,5 @@ -import AdminDashboard from 'admin/models/admin-dashboard'; -import VersionCheck from 'admin/models/version-check'; -import Report from 'admin/models/report'; -import AdminUser from 'admin/models/admin-user'; - export default Discourse.Route.extend({ - - setupController: function(c) { - this.fetchDashboardData(c); - }, - - fetchDashboardData: function(c) { - if( !c.get('dashboardFetchedAt') || moment().subtract(30, 'minutes').toDate() > c.get('dashboardFetchedAt') ) { - c.set('dashboardFetchedAt', new Date()); - var versionChecks = this.siteSettings.version_checks; - AdminDashboard.find().then(function(d) { - if (versionChecks) { - c.set('versionCheck', VersionCheck.create(d.version_check)); - } - - ['global_reports', 'page_view_reports', 'private_message_reports', 'http_reports', 'user_reports', 'mobile_reports'].forEach(name => { - c.set(name, d[name].map(r => Report.create(r))); - }); - - var topReferrers = d.top_referrers; - if (topReferrers && topReferrers.data) { - d.top_referrers.data = topReferrers.data.map(function (user) { - return AdminUser.create(user); - }); - c.set('top_referrers', topReferrers); - } - - [ 'disk_space','admins', 'moderators', 'blocked', 'suspended', - 'top_traffic_sources', 'top_referred_topics', 'updated_at'].forEach(function(x) { - c.set(x, d[x]); - }); - - c.set('loading', false); - }); - } - - if( !c.get('problemsFetchedAt') || moment().subtract(c.problemsCheckMinutes, 'minutes').toDate() > c.get('problemsFetchedAt') ) { - c.set('problemsFetchedAt', new Date()); - c.loadProblems(); - } + setupController(controller) { + controller.fetchDashboard(); } }); - diff --git a/app/assets/javascripts/admin/templates/dashboard.hbs b/app/assets/javascripts/admin/templates/dashboard.hbs index 47a731d98c..e02a5a925c 100644 --- a/app/assets/javascripts/admin/templates/dashboard.hbs +++ b/app/assets/javascripts/admin/templates/dashboard.hbs @@ -1,161 +1,149 @@ {{plugin-outlet "admin-dashboard-top"}} -
| - | 0 | -1 | -2 | -3 | -4 | -
|---|
| + | 0 | +1 | +2 | +3 | +4 | +
|---|
| {{fa-icon "shield"}} {{i18n 'admin.dashboard.admins'}} | -{{#link-to 'adminUsersList.show' 'admins'}}{{admins}}{{/link-to}} | -{{fa-icon "ban"}} {{i18n 'admin.dashboard.suspended'}} | -{{#link-to 'adminUsersList.show' 'suspended'}}{{suspended}}{{/link-to}} | -
| {{fa-icon "shield"}} {{i18n 'admin.dashboard.moderators'}} | -{{#link-to 'adminUsersList.show' 'moderators'}}{{moderators}}{{/link-to}} | -{{fa-icon "ban"}} {{i18n 'admin.dashboard.blocked'}} | -{{#link-to 'adminUsersList.show' 'blocked'}}{{blocked}}{{/link-to}} | -
| - | {{i18n 'admin.dashboard.reports.today'}} | -{{i18n 'admin.dashboard.reports.yesterday'}} | -{{i18n 'admin.dashboard.reports.last_7_days'}} | -{{i18n 'admin.dashboard.reports.last_30_days'}} | -{{i18n 'admin.dashboard.reports.all'}} | +{{fa-icon "shield"}} {{i18n 'admin.dashboard.admins'}} | +{{#link-to 'adminUsersList.show' 'admins'}}{{admins}}{{/link-to}} | +{{fa-icon "ban"}} {{i18n 'admin.dashboard.suspended'}} | +{{#link-to 'adminUsersList.show' 'suspended'}}{{suspended}}{{/link-to}} |
|---|---|---|---|---|---|---|---|---|---|
| {{fa-icon "shield"}} {{i18n 'admin.dashboard.moderators'}} | +{{#link-to 'adminUsersList.show' 'moderators'}}{{moderators}}{{/link-to}} | +{{fa-icon "ban"}} {{i18n 'admin.dashboard.blocked'}} | +{{#link-to 'adminUsersList.show' 'blocked'}}{{blocked}}{{/link-to}} | +
| + | {{i18n 'admin.dashboard.reports.today'}} | +{{i18n 'admin.dashboard.reports.yesterday'}} | +{{i18n 'admin.dashboard.reports.last_7_days'}} | +{{i18n 'admin.dashboard.reports.last_30_days'}} | +{{i18n 'admin.dashboard.reports.all'}} | +
|---|
| {{i18n 'admin.dashboard.page_views_short'}} | -{{i18n 'admin.dashboard.reports.today'}} | -{{i18n 'admin.dashboard.reports.yesterday'}} | -{{i18n 'admin.dashboard.reports.last_7_days'}} | -{{i18n 'admin.dashboard.reports.last_30_days'}} | -{{i18n 'admin.dashboard.reports.all'}} | -
|---|
| {{i18n 'admin.dashboard.page_views_short'}} | +{{i18n 'admin.dashboard.reports.today'}} | +{{i18n 'admin.dashboard.reports.yesterday'}} | +{{i18n 'admin.dashboard.reports.last_7_days'}} | +{{i18n 'admin.dashboard.reports.last_30_days'}} | +{{i18n 'admin.dashboard.reports.all'}} | +
|---|
| {{fa-icon "envelope"}} {{i18n 'admin.dashboard.private_messages_short'}} | -{{i18n 'admin.dashboard.reports.today'}} | -{{i18n 'admin.dashboard.reports.yesterday'}} | -{{i18n 'admin.dashboard.reports.last_7_days'}} | -{{i18n 'admin.dashboard.reports.last_30_days'}} | -{{i18n 'admin.dashboard.reports.all'}} | -
|---|
| {{fa-icon "envelope"}} {{i18n 'admin.dashboard.private_messages_short'}} | +{{i18n 'admin.dashboard.reports.today'}} | +{{i18n 'admin.dashboard.reports.yesterday'}} | +{{i18n 'admin.dashboard.reports.last_7_days'}} | +{{i18n 'admin.dashboard.reports.last_30_days'}} | +{{i18n 'admin.dashboard.reports.all'}} | +
|---|
| {{i18n 'admin.dashboard.mobile_title'}} | -{{i18n 'admin.dashboard.reports.today'}} | -{{i18n 'admin.dashboard.reports.yesterday'}} | -{{i18n 'admin.dashboard.reports.last_7_days'}} | -{{i18n 'admin.dashboard.reports.last_30_days'}} | -{{i18n 'admin.dashboard.reports.all'}} | -
|---|
| {{i18n 'admin.dashboard.mobile_title'}} | +{{i18n 'admin.dashboard.reports.today'}} | +{{i18n 'admin.dashboard.reports.yesterday'}} | +{{i18n 'admin.dashboard.reports.last_7_days'}} | +{{i18n 'admin.dashboard.reports.last_30_days'}} | +{{i18n 'admin.dashboard.reports.all'}} | +
|---|
| - | - | - | - |
|---|
| + | + | + | + |
|---|---|---|---|
| {{i18n 'admin.dashboard.uploads'}} | {{disk_space.uploads_used}} ({{i18n 'admin.dashboard.space_free' size=disk_space.uploads_free}}) | {{#if currentUser.admin}}{{i18n 'admin.dashboard.backups'}}{{/if}} | {{disk_space.backups_used}} ({{i18n 'admin.dashboard.space_free' size=disk_space.backups_free}}) |
| {{top_referred_topics.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}}) | -{{top_referred_topics.ytitles.num_clicks}} | -
|---|
| {{top_referred_topics.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}}) | +{{top_referred_topics.ytitles.num_clicks}} | +
|---|---|
| {{top_traffic_sources.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}}) | -{{top_traffic_sources.ytitles.num_clicks}} | -{{top_traffic_sources.ytitles.num_topics}} | -
|---|
| {{top_traffic_sources.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}}) | +{{top_traffic_sources.ytitles.num_clicks}} | +{{top_traffic_sources.ytitles.num_topics}} | +
|---|---|---|
| {{top_referrers.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}}) | -{{top_referrers.ytitles.num_clicks}} | -{{top_referrers.ytitles.num_topics}} | -
|---|
| {{top_referrers.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}}) | +{{top_referrers.ytitles.num_clicks}} | +{{top_referrers.ytitles.num_topics}} | +
|---|---|---|
{{i18n 'category.tags_allowed_tags'}}
- {{tag-chooser placeholderKey="category.tags_placeholder" tags=category.allowed_tags}} + {{tag-chooser placeholderKey="category.tags_placeholder" tags=category.allowed_tags everyTag="true" unlimitedTagCount="true"}}{{i18n 'category.tags_allowed_tag_groups'}}
{{tag-group-chooser placeholderKey="category.tag_groups_placeholder" tagGroups=category.allowed_tag_groups}} diff --git a/app/assets/javascripts/discourse/templates/components/tag-list.hbs b/app/assets/javascripts/discourse/templates/components/tag-list.hbs index ff34843a81..a3e912d26c 100644 --- a/app/assets/javascripts/discourse/templates/components/tag-list.hbs +++ b/app/assets/javascripts/discourse/templates/components/tag-list.hbs @@ -6,7 +6,11 @@ {{/if}} {{#each sortedTags as |tag|}}{{{message.body}}}
diff --git a/app/assets/javascripts/discourse/templates/selected-posts.hbs b/app/assets/javascripts/discourse/templates/selected-posts.hbs index 1d87a7d29e..d4ac87ead3 100644 --- a/app/assets/javascripts/discourse/templates/selected-posts.hbs +++ b/app/assets/javascripts/discourse/templates/selected-posts.hbs @@ -24,4 +24,8 @@ {{d-button action="changeOwner" icon="user" label="topic.change_owner.action"}} {{/if}} +{{#if canMergePosts}} + {{d-button action="mergePosts" icon="arrows-v" label="topic.merge_posts.action"}} +{{/if}} + diff --git a/app/assets/javascripts/discourse/templates/user/user.hbs b/app/assets/javascripts/discourse/templates/user.hbs similarity index 100% rename from app/assets/javascripts/discourse/templates/user/user.hbs rename to app/assets/javascripts/discourse/templates/user.hbs diff --git a/app/assets/javascripts/discourse/templates/user/notifications.hbs b/app/assets/javascripts/discourse/templates/user/notifications.hbs index 7d0ab5cddc..8aa71e0867 100644 --- a/app/assets/javascripts/discourse/templates/user/notifications.hbs +++ b/app/assets/javascripts/discourse/templates/user/notifications.hbs @@ -23,7 +23,8 @@ class='btn dismiss-notifications' action="resetNew" label='user.dismiss_notifications' - icon='check'}} + icon='check' + disabled=allNotificationsRead}} {{/if}}+
+ admin_js: type_to_filter: "اكتب لتصفية" admin: @@ -2185,16 +2190,15 @@ ar: group_members: "اعضاء المجموعة" delete: "حذف" delete_confirm: "حذف هذة المجموعة؟" - delete_failed: "لا يمكن حذف هذه المجموعة. اذا كانت هذة المجموعة مجموعة تلقائية, لا يمكن حذفها." - delete_member_confirm: "ازالة '%{username}' من '%{group}' المجموعة?" + delete_failed: "تعذّر حذف المجموعة. إن كانت مجموعة آليّة، فلا يمكن تدميرها." + delete_member_confirm: "أأزيل '%{username}' من المجموعة '%{group}'؟" delete_owner_confirm: "هل تريد إزالة صلاحيات الإدارة من '%{username} ؟" name: "الاسم" add: "اضافة" add_members: "اضافة عضو" custom: "مخصص" - bulk_complete: "تم اضافة المستخدم/المستخدمين الى المجموعة" - bulk: "اضافة زمرة الى مجموعة" - bulk_paste: "اكتب قائمة من اسماء المستخدمين او البريد الالكتروني ، واحد في كل سطر :" + bulk_complete: "أُضيف المستخدمون إلى المجموعة." + bulk_paste: "ألصق قائمة لأسماء المستخدم أو عناوين البريد، واحد في كل سطر:" bulk_select: "(اختر مجموعة)" automatic: "تلقائي" automatic_membership_email_domains: "المستخدمين الذين يمتلكون بريد الالكتروني عنوانه مطابق للعنوان الذي في القائمة سيتم تلقائيا اضافتهم للمجموعة." @@ -2236,18 +2240,26 @@ ar: menu: backups: "نسخة احتياطية" logs: "Logs" - none: "لاتوجد نسخ احتياطية" + none: "لا نسخ احتياطية." + read_only: + enable: + title: "فعّل وضع القراءة فقط" + label: "فعّل القراءة فقط" + confirm: "أمتأكد من تفعيل وضع القراءة فقط؟" + disable: + title: "عطّل وضع القراءة فقط" + label: "عطّل القراءة فقط" logs: - none: "No logs yet." + none: "لا سجلات بعد..." columns: filename: "اسم الملف" size: "حجم" upload: label: "رفع" title: "رفع نسخة احتياطية لهذه الحالة." - uploading: "يتم الرفع..." - success: "'{{filename}}' تم رفعه بنجاح." - error: "هناك مشكلة في رفع '{{filename}}': {{message}}" + uploading: "يرفع..." + success: "رُفع '{{filename}}' بنجاح." + error: "حصلت مشكلة أثناء رفع '{{filename}}': {{message}}" operations: is_running: "هناك عملية مازالت تعمل ..." failed: "الـ {{operation}} فشلت. الرجاء التحقق من logs." @@ -2267,7 +2279,7 @@ ar: title: "حذف النسخة الاحتياطية" confirm: "هل أنت متأكد من رغبتك في حذف النسخة الاحتياطية؟" restore: - is_disabled: "Restore is disabled in the site settings." + is_disabled: "الاستعادة معطّلة في إعدادات الموقع." label: "استعادة" title: "اعادة تخزين النسخة الاحتياطية" confirm: "هل انت متاكد انك تريد استعاده هذه النسخه الاحتياطيه؟" diff --git a/config/locales/client.bs_BA.yml b/config/locales/client.bs_BA.yml index 461320829e..1c9079a90e 100644 --- a/config/locales/client.bs_BA.yml +++ b/config/locales/client.bs_BA.yml @@ -234,7 +234,6 @@ bs_BA: undo: "Nazad" revert: "Vrati" failed: "Neuspješno" - switch_to_anon: "Anonimni mod" banner: close: "Dismiss this banner." edit: "Uredite ovaj baner >>" @@ -414,7 +413,6 @@ bs_BA: disable: "Isključi notifikacije" enable: "Uključi notifikacije" each_browser_note: "Napomena: Ovu opciju morate promjeniti na svakom pregledniku." - dismiss_notifications: "Markiraj sve kao Pročitano" dismiss_notifications_tooltip: "Markiraj sve nepročitane notifikacije kao pročitane" disable_jump_reply: "Don't jump to your new post after replying" dynamic_favicon: "Show incoming message notifications on favicon (experimental)" @@ -430,9 +428,7 @@ bs_BA: suspended_reason: "Reason: " github_profile: "Github" watched_categories: "Watched" - watched_categories_instructions: "Automatski ćete da pratite sve nove objave u ovom kategorijama. Bićete notifikovani o svim novim objavama i temama i broj novih objava će se pojaviti pored naziva teme." tracked_categories: "Tracked" - tracked_categories_instructions: "Automatski ćete da pratite sve nove objave u ovom kategorijama. Broj novih objava će se pojaviti pored naziva teme." muted_categories: "Muted" delete_account: "Delete My Account" delete_account_confirm: "Are you sure you want to permanently delete your account? This action cannot be undone!" @@ -756,7 +752,6 @@ bs_BA: github: title: "sa GitHub" message: "Authenticating with GitHub (make sure pop up blockers are not enabled)" - google: "Google" composer: more_emoji: "više..." options: "Opcije" @@ -843,7 +838,6 @@ bs_BA: invited_to_private_message: "{{username}} {{description}}
" invitee_accepted: "{{username}} accepted your invitation
" moved_post: "{{username}} moved {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Zaslužen '{{description}}'
" alt: mentioned: "Spomenut od" @@ -1030,8 +1024,6 @@ bs_BA: feature_topic: title: "Istakni ovu temu." inviting: "Inviting..." - automatically_add_to_groups_optional: "This invite also includes access to these groups: (optional, admin only)" - automatically_add_to_groups_required: "This invite also includes access to these groups: (Required, admin only)" invite_private: title: 'Invite to Private Message' email_or_username: "Invitee's Email or Username" @@ -1252,7 +1244,6 @@ bs_BA: notify_action: "Privatna poruka" topic_map: title: "Pregled Teme" - links_shown: "pogledaj {{totalLinks}} linkova..." topic_statuses: warning: help: "Ovo je zvanično upozorenje." @@ -1275,10 +1266,10 @@ bs_BA: posts_long: "postoji {{number}} odgovora u ovoj temi" posts_likes_MF: | This topic has {count, plural, one {1 post} other {# posts}} {ratio, select, - low {with a high like to post ratio} - med {with a very high like to post ratio} - high {with an extremely high like to post ratio} - other {}} + low {with a high like to post ratio} + med {with a very high like to post ratio} + high {with an extremely high like to post ratio} + other {}} original_post: "Originalni Odgovor" views: "Pregleda" replies: "Odgovora" @@ -1905,64 +1896,3 @@ bs_BA: with_post: %{username} for post in %{link} with_post_time: %{username} for post in %{link} at %{time} with_time: %{username} at %{time} - lightbox: - download: "skini" - keyboard_shortcuts_help: - title: 'Prečice na Tastaturi' - jump_to: - title: 'Skoči na' - home: 'g, h Home (Najnovije)' - latest: 'g, l Najnovije' - new: 'g, n Nove Teme' - unread: 'g, u Nepročitane' - categories: 'g, c Kategorije' - top: 'g, t Popularne' - navigation: - title: 'Navigacija' - jump: '# Idi na post #' - back: 'u Nazad' - up_down: 'k/j Move selection ↑ ↓' - open: 'o or Enter Open selected topic' - next_prev: 'shift j/shift k Next/previous section' - application: - title: 'Aplikacija' - create: 'c Započni novu temu' - notifications: 'n Otvori notifikacije' - user_profile_menu: 'p Otvori meni korisnika' - show_incoming_updated_topics: '. Pročitaj promjenje teme' - search: '/ Tragaj' - help: '? Otvori pomoć za tastaturu' - dismiss_new_posts: 'x, r Dismiss New/Posts' - dismiss_topics: 'x, t Dismiss Topics' - actions: - title: 'Akcije' - share_topic: 'shift s Sheruj temu' - share_post: 's Sheruj post' - reply_as_new_topic: 't Odgovori kroz novu temu' - reply_topic: 'shift r Odgovori na Temu' - reply_post: 'r Odgovori na post' - quote_post: 'q Citiraj odgovor' - like: 'l Lajkuj post' - flag: '! Opomeni post' - bookmark: 'b Bookmark post' - edit: 'e Izmjeni post' - delete: 'd Obriši post' - mark_muted: 'm, m Mutiraj temu' - mark_regular: 'm, r Regularna tema' - mark_tracking: 'm, t Prati temu' - mark_watching: 'm, w Motri temu' - badges: - title: Bedževi - select_badge_for_title: Izaveri bedž za svoj naslov - none: "{{username}} {{description}}
" @@ -861,7 +1016,6 @@ cs: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} přijal vaši pozvánku
" moved_post: "{{username}} přesunul {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Získáno '{{description}}'
" alt: mentioned: "Zmíněno" @@ -877,8 +1031,10 @@ cs: moved_post: "Tvůj příspěvek přesunul" linked: "Odkaz na tvůj příspěvek" granted_badge: "Odznak přidělen" + group_message_summary: "Zprávy ve skupinové schránce" popup: mentioned: '{{username}} vás zmínil v "{{topic}}" - {{site_title}}' + group_mentioned: 'Uživatel {{username}} vás zmínil v "{{topic}}" - {{site_title}}' quoted: '{{username}} vás citoval v "{{topic}}" - {{site_title}}' replied: '{{username}} vám odpověděl v "{{topic}}" - {{site_title}}' posted: '{{username}} přispěl do "{{topic}}" - {{site_title}}' @@ -918,6 +1074,7 @@ cs: post_format: "#{{post_number}} od {{username}}" context: user: "Vyhledat příspěvky od @{{username}}" + category: "Hledat v kategorii #{{category}}" topic: "Vyhledat v tomto tématu" private_messages: "Hledat ve zprávách" hamburger_menu: "jít na jiný seznam témat nebo kategorii" @@ -947,6 +1104,9 @@ cs: one: "Vybrali jste 1 téma." few: "Vybrali jste {{count}} témata." other: "Vybrali jste {{count}} témat." + change_tags: "Změnit štítky" + choose_new_tags: "Zvolte nové tagy pro témata:" + changed_tags: "Tagy témat byly změněny." none: unread: "Nemáte žádná nepřečtená témata." new: "Nemáte žádná nová témata ke čtení." @@ -977,6 +1137,12 @@ cs: create: 'Nové téma' create_long: 'Vytvořit nové téma' private_message: 'Vytvořit zprávu' + archive_message: + help: 'Přesunout zprávy do archívu' + title: 'Archív' + move_to_inbox: + title: 'Přesunout do Přijaté' + help: 'Přesunout zprávu zpět do Přijaté' list: 'Témata' new: 'nové téma' unread: 'nepřečtený' @@ -1032,6 +1198,9 @@ cs: auto_close_title: 'Nastavení automatického zavření' auto_close_save: "Uložit" auto_close_remove: "Nezavírat téma automaticky" + timeline: + back: "Zpět" + back_description: "Přejít na poslední nepřečtený příspěvek" progress: title: pozice v tématu go_top: "nahoru" @@ -1096,6 +1265,8 @@ cs: invisible: "Zneviditelnit" visible: "Zviditelnit" reset_read: "Vynulovat počet čtení" + make_public: "Vytvořit Veřejné Téma" + make_private: "Vytvořit Soukromou zprávu" feature: pin: "Připevnit téma" unpin: "Odstranit připevnění" @@ -1140,8 +1311,6 @@ cs: no_banner_exists: "Žádné téma není jako banner." banner_exists: "V současnosti je zde téma jako banner." inviting: "Odesílám pozvánku..." - automatically_add_to_groups_optional: "Tato pozvánka obsahuje také přístup do této skupiny: (volitelné, pouze administrátor)" - automatically_add_to_groups_required: "Tato pozvánka obsahuje také přístup do těchto skupin: (Vyžadováno, pouze administrátor)" invite_private: title: 'Pozvat do konverzace' email_or_username: "Email nebo uživatelské jméno pozvaného" @@ -1479,10 +1648,8 @@ cs: notifications: watching: title: "Hlídání" - description: "Budete automaticky sledovat všechna nová témata v těchto kategoriích. Budete dostávat upozornění na všechny nové příspěvky ve všech tématech a zobrazí se počet nových odpovědí." tracking: title: "Sledování" - description: "Budete automaticky sledovat všechna nová témata v těchto kategorích. Budete dostávat upozornění pokud vám někdo odpoví, nebo zmíní vaše @jméno a zobrazí se počet nových odpovědí. " regular: title: "Normální" description: "Budete informováni pokud někdo zmíní vaše @jméno nebo odpoví na váš příspěvek." @@ -1520,7 +1687,6 @@ cs: title: "Souhrn tématu" participants_title: "Častí přispěvatelé" links_title: "Populární odkazy" - links_shown: "zobrazit všech {{totalLinks}} odkazů..." clicks: one: "1 kliknutí" few: "%{count} kliknutí" @@ -1552,10 +1718,10 @@ cs: posts_long: "v tomto tématu je {{number}} příspěvků" posts_likes_MF: | Toto téma má {count, plural, one {1 příspěvek} other {# příspěvků}} {ratio, select, - low {s velkým poměrem líbí se na příspěvek} - med {s velmi velkým poměrem líbí se na příspěvek} - high {s extrémně velkým poměrem líbí se na příspěvek} - other {}} + low {s velkým poměrem líbí se na příspěvek} + med {s velmi velkým poměrem líbí se na příspěvek} + high {s extrémně velkým poměrem líbí se na příspěvek} + other {}} original_post: "Původní příspěvek" views: "Zobrazení" views_lowercase: @@ -2016,6 +2182,26 @@ cs: last_seen_user: "Uživatel byl naposled přítomen:" reply_key: "Klíč pro odpověď" skipped_reason: "Důvod přeskočení" + incoming_emails: + from_address: "Od koho" + to_addresses: "Komu" + cc_addresses: "Kopie" + subject: "Předmět" + error: "Chyba" + none: "Žádné příchozí emaily nenalezeny." + modal: + title: "Detaily příchozích emailů" + error: "Chyba" + headers: "Hlavičky" + subject: "Předmět" + body: "Obsah" + rejection_message: "Email o nepřijetí" + filters: + from_placeholder: "odkoho@example.com" + to_placeholder: "komu@example.com" + cc_placeholder: "kopie@example.com" + subject_placeholder: "Předmět..." + error_placeholder: "Chyba" logs: none: "Žádné záznamy nalezeny." filters: @@ -2310,6 +2496,9 @@ cs: title: "Zveřejnit na uživatelském profilu?" enabled: "zveřejněno na profilu" disabled: "nezveřejněno na profilu" + show_on_user_card: + title: "Zobrazit na kartě uživatele?" + enabled: "zobrazeno na kartě uživatele" field_types: text: 'Text Field' confirm: 'Potvrzení' @@ -2332,6 +2521,7 @@ cs: no_results: "Nenalezeny žádné výsledky." clear_filter: "Zrušit" add_url: "přidat URL" + add_host: "přidat hostitele" categories: all_results: 'Všechny' required: 'Nezbytnosti' @@ -2354,6 +2544,7 @@ cs: login: "Login" plugins: "Pluginy" user_preferences: "Uživatelká nastavení" + tags: "Tagy" badges: title: Odznaky new_badge: Nový odznak @@ -2362,6 +2553,7 @@ cs: badge: Odznak display_name: Zobrazované jméno description: Popis + long_description: Dlouhý Popis badge_type: Typ odznaku badge_grouping: Skupina badge_groupings: @@ -2456,85 +2648,3 @@ cs: label: "Nové:" add: "Přidat" filter: "Hledat (URL nebo externí URL)" - lightbox: - download: "download" - search_help: - title: 'Vyhledat v nápovědě' - keyboard_shortcuts_help: - title: 'Klávesové zkratky' - jump_to: - title: 'Jump To' - home: 'g, h Domů' - latest: 'g, l Poslední' - new: 'g, n Nový' - unread: 'g, u Nepřečtěné' - categories: 'g, c Kategorie' - top: 'g, t Nahoru' - bookmarks: 'g, b Záložky' - profile: 'g, p Profil' - messages: 'g, m Zprávy' - navigation: - title: 'Navigation' - jump: '# Jdi na příspěvek #' - back: 'u Back' - up_down: 'k/j Move selection ↑ ↓' - open: 'o or Enter Open selected topic' - next_prev: 'shift+j/shift+k Následující/předchozí výběr' - application: - title: 'Application' - create: 'c Create a new topic' - notifications: 'n Open notifications' - hamburger_menu: '= Otevře hamburgerové menu' - user_profile_menu: 'p Otevře uživatelské menu' - show_incoming_updated_topics: '. Ukáže aktualizovaná témata' - search: '/ Search' - help: '? Otevře seznam klávesových zkratek' - dismiss_new_posts: 'x, r Dismiss New/Posts' - dismiss_topics: 'x, t Dismiss Topics' - log_out: 'shift+z shift+z Odhlásit se' - actions: - title: 'Actions' - bookmark_topic: 'f Toggle bookmark topic' - pin_unpin_topic: 'shift+p Připnout/Odepnout téma' - share_topic: 'shift+s Sdílet téma' - share_post: 's Share post' - reply_as_new_topic: 't Odpovědět v propojeném tématu' - reply_topic: 'shift+r Odpovědět na téma' - reply_post: 'r Odpovědět na příspěvek' - quote_post: 'q Citovat příspěvek' - like: 'l Like post' - flag: '! Flag post' - bookmark: 'b Bookmark post' - edit: 'e Edit post' - delete: 'd Delete post' - mark_muted: 'm, m Mute topic' - mark_regular: 'm, r Regular (default) topic' - mark_tracking: 'm, t Track topic' - mark_watching: 'm, w Watch topic' - badges: - title: Odznaky - badge_count: - one: "1 odznak" - few: "%{count} odznaky" - other: "%{count} odznaků" - more_badges: - one: "+1 další" - few: "+%{count} další" - other: "+%{count} dalších" - granted: - one: "1 udělen" - few: "1 udělen" - other: "%{count} uděleno" - select_badge_for_title: Vyberte odznak, který chcete použít jako svůj titul - none: "{{username}} {{description}}
" invitee_accepted: "{{username}} accepted your invitation
" moved_post: "{{username}} moved {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Du blev tildelt '{{description}}'
" group_message_summary: one: "{{count}} besked i din {{group_name}} inbox
" @@ -1197,8 +1183,6 @@ da: no_banner_exists: "Der er ikke noget banner-emne." banner_exists: "Der er aktuelt et banner-emne." inviting: "Inviterer…" - automatically_add_to_groups_optional: "Denne invitation giver også adgang til disse grupper: (valgfrit, kun for administrator)" - automatically_add_to_groups_required: "Denne invitation giver også adgang til disse grupper: (Påkrævet, kun for administrator)" invite_private: title: 'Inviter til besked' email_or_username: "Inviteret brugers e-mail eller brugernavn" @@ -1521,10 +1505,8 @@ da: notifications: watching: title: "Overvåger" - description: "Du overvåger automatisk alle emner i disse kategorier. Du vil få en notifikation ved alle nye indlæg i alle emner, og antallet af nye svar vil blive vist." tracking: title: "Følger" - description: "Du følger automatisk alle nye emner i disse kategorier. Du vil blive underrettet hvis nogen nævner dit navn eller svarer dig, og antallet af nye svar vil blive vist." regular: title: "Normal" description: "Du vil modtage en notifikation, hvis nogen nævner dit @name eller svarer dig." @@ -1563,7 +1545,6 @@ da: title: "Emne-resumé" participants_title: "Hyppige forfattere" links_title: "Populære Links" - links_shown: "vis alle {{totalLinks}} links..." clicks: one: "1 klik" other: "%{count} klik" @@ -1594,10 +1575,10 @@ da: posts_long: "{{number}} indlæg i dette emne" posts_likes_MF: | Dette emne har {count, plural, one {1 svar} other {# svar}} {ratio, select, - low {med et højt like pr. indlæg forhold} - med {med et meget højt like pr. indlæg forhold} - high {med et ekstremt højt like pr. indlæg forhold} - other {}} + low {med et højt like pr. indlæg forhold} + med {med et meget højt like pr. indlæg forhold} + high {med et ekstremt højt like pr. indlæg forhold} + other {}} original_post: "Oprindeligt indlæg" views: "Visninger" views_lowercase: @@ -2528,98 +2509,3 @@ da: label: "Ny:" add: "Tilføj" filter: "Søg (URL eller ekstern URL)" - lightbox: - download: "download" - search_help: - title: 'Hjælp til søgning' - keyboard_shortcuts_help: - title: 'Tastatur genveje' - jump_to: - title: 'Hop til' - home: 'g, h Hjem' - latest: 'g, l Seneste' - new: 'g, n Nye' - unread: 'g, u Ulæste' - categories: 'g, c Kategorier' - top: 'g, t Top' - bookmarks: 'g, b Bogmærker' - profile: 'g, p Profil' - messages: 'g, m Beskeder' - navigation: - title: 'Navigation' - jump: '# Gå til indlæg #' - back: 'u Tilbage' - up_down: 'k/j Flyt valgte ↑ ↓' - open: 'o eller Enter Åbn det valgte emne' - next_prev: 'shift+j/shift+k Næste/forrige sektion' - application: - title: 'Applikation' - create: 'c Opret et nyt emne' - notifications: 'n Åbn notifikationer' - hamburger_menu: '= Åbn i hamburgermenu' - user_profile_menu: 'p Åben bruger menu' - show_incoming_updated_topics: '. Vis opdaterede emner' - search: '/ Søg' - help: '? Åben keyboard hjælp' - dismiss_new_posts: 'x, r Afvis alle Nye/Indlæg' - dismiss_topics: 'x, t Afvis emner' - log_out: 'shift+z shift+z Log ud' - actions: - title: 'Handlinger' - bookmark_topic: 'f Sæt bogmærke i emne' - pin_unpin_topic: 'shift+p Fastgør / Frigør emne' - share_topic: 'shift+s Del emne' - share_post: 's Del opslag' - reply_as_new_topic: 't Svar med et linket emne' - reply_topic: 'shift+r Besvar emne' - reply_post: 'r Svar på kommentaren' - quote_post: 'q Citer emne' - like: 'l Like indlæg' - flag: '! Flag indlæg' - bookmark: 'b Bogmærk indlæg' - edit: 'e Redigér indlæg' - delete: 'd Slet indlæg' - mark_muted: 'm, m Lydløst emne' - mark_regular: 'm, r Almindelig (stardard) emne' - mark_tracking: 'm, t Følg emne' - mark_watching: 'm, w Iagtag emne' - badges: - earned_n_times: - one: "Fortjente dette badge 1 gang" - other: "Fortjente dette badge %{count} gange." - granted_on: "Tildelt %{date}" - others_count: "Andre med dette badge (%{count})" - title: Badges - allow_title: "tilgængelig titel" - multiple_grant: "tildelt flere gange" - badge_count: - one: "1 Badge" - other: "%{count} Badges" - more_badges: - one: "+1 Mere" - other: "+%{count} Mere" - granted: - one: "1 givet" - other: "%{count} givet" - select_badge_for_title: Vælg en badge, du vil bruge som din titel - none: "-
- diff --git a/config/locales/client.de.yml b/config/locales/client.de.yml index 34f8322b3d..682fa3edc3 100644 --- a/config/locales/client.de.yml +++ b/config/locales/client.de.yml @@ -117,7 +117,9 @@ de: private_topic: "hat das Thema %{when} privat gemacht" split_topic: "Thema aufgeteilt, %{when}" invited_user: "%{who} eingeladen, %{when}" + invited_group: "%{who} eingeladen, %{when}" removed_user: "%{who} entfernt, %{when}" + removed_group: "%{who} entfernt, %{when}" autoclosed: enabled: 'geschlossen, %{when}' disabled: 'geöffnet, %{when}' @@ -138,7 +140,7 @@ de: disabled: 'unsichtbar gemacht, %{when}' topic_admin_menu: "Thema administrieren" emails_are_disabled: "Die ausgehende E-Mail-Kommunikation wurde von einem Administrator global deaktiviert. Es werden keinerlei Benachrichtigungen per E-Mail verschickt." - bootstrap_mode_enabled: "Damit du mit deiner Seite einfacher loslegen kannst, bist du im Bootstrapping-Modus. Alle neuen Benutzer erhalten die Vertrauensstufe 1 und bekommen tägliche Zusammenfassungen per E-Mail. Der Modus wird automatisch deaktiviert, sobald sich mindestens %{min_users} angemeldet haben." + bootstrap_mode_enabled: "Damit du mit deiner Seite einfacher loslegen kannst, befindest du dich im Bootstrapping-Modus. Alle neuen Benutzer erhalten die Vertrauensstufe 1 und bekommen eine tägliche Zusammenfassung per E-Mail. Der Modus wird automatisch deaktiviert, sobald sich mindestens %{min_users} angemeldet haben." bootstrap_mode_disabled: "Der Bootstrapping-Modus wird innerhalb der nächsten 24 Stunden deaktiviert." s3: regions: @@ -150,9 +152,11 @@ de: eu_central_1: "EU (Frankfurt)" ap_southeast_1: "Asien-Pazifik (Singapur)" ap_southeast_2: "Asien-Pazifik (Sydney)" + ap_south_1: "Asien-Pazifik (Mumbai)" ap_northeast_1: "Asien-Pazifik (Tokio)" ap_northeast_2: "Asien-Pazifik (Seoul)" sa_east_1: "Südamerika (São Paulo)" + cn_north_1: "China (Peking)" edit: 'Titel und Kategorie dieses Themas ändern' not_implemented: "Entschuldige, diese Funktion wurde noch nicht implementiert!" no_value: "Nein" @@ -253,7 +257,7 @@ de: undo: "Rückgängig machen" revert: "Verwerfen" failed: "Fehlgeschlagen" - switch_to_anon: "Anonymer Modus" + switch_to_anon: "Anonymen Modus beginnen" switch_from_anon: "Anonymen Modus beenden" banner: close: "Diesen Banner ausblenden." @@ -330,6 +334,7 @@ de: selector_placeholder: "Mitglieder hinzufügen" owner: "Eigentümer" visible: "Gruppe ist für alle Benutzer sichtbar" + index: "Gruppen" title: one: "Gruppe" other: "Gruppen" @@ -352,6 +357,9 @@ de: watching: title: "Beobachten" description: "Du wirst über jeden neuen Beitrag in jeder Nachricht benachrichtigt und die Anzahl neuer Antworten wird angezeigt." + watching_first_post: + title: "Ersten Beitrag beobachten" + description: "Du erhältst nur eine Benachrichtigung für den ersten Beitrag in jedem neuen Thema in dieser Gruppe." tracking: title: "Verfolgen" description: "Du wirst benachrichtigt, wenn jemand deinen @Namen erwähnt oder auf deinen Beitrag antwortet, und die Anzahl neuer Antworten wird angezeigt." @@ -446,7 +454,7 @@ de: disable: "Benachrichtigungen deaktivieren" enable: "Benachrichtigungen aktivieren" each_browser_note: "Hinweis: Du musst diese Einstellung in jedem von dir verwendeten Browser ändern." - dismiss_notifications: "Alle als gelesen markieren" + dismiss_notifications: "Alles ausblenden" dismiss_notifications_tooltip: "Alle ungelesenen Benachrichtigungen als gelesen markieren" disable_jump_reply: "Springe nicht zu meinem Beitrag, nachdem ich geantwortet habe" dynamic_favicon: "Zeige die Anzahl der neuen und geänderten Themen im Browser-Symbol an" @@ -470,12 +478,23 @@ de: Stummgeschaltete Themen und Kategorien werden in diesen E-Mails nicht eingeschlossen. daily: "Aktualisierungen täglich senden" individual: "Für jeden Beitrag eine E-Mail senden" - many_per_day: "Sende mir für jeden neuen Beitrag eine E-Mail (etwa {{dailyEmailEstimate}} pro Tag)." - few_per_day: "Sende mir für jeden neuen Beitrag eine E-Mail (weniger als 2 pro Tag)." + many_per_day: "Sende mir für jeden neuen Beitrag eine E-Mail (etwa {{dailyEmailEstimate}} pro Tag)" + few_per_day: "Sende mir für jeden neuen Beitrag eine E-Mail (etwa 2 pro Tag)" + tag_settings: "Schlagwörter" + watched_tags: "Beobachtet" + watched_tags_instructions: "Du wirst automatisch alle neuen Themen imit diesen Schlagwörtern beobachten. Du wirst über alle neuen Beiträge und Themen benachrichtigt und die Anzahl der neuen Antworten wird bei den betroffenen Themen angezeigt." + tracked_tags: "Verfolgt" + tracked_tags_instructions: "Du wirst automatisch alle Themen mit diesen Schlagwörtern verfolgen. Die Anzahl der neuen Antworten wird bei den betroffenen Themen angezeigt." + muted_tags: "Stummgeschaltet" + muted_tags_instructions: "Du erhältst keine Benachrichtigungen über neue Themen mit diesen Schlagwörtern und die Themen werden auch nicht in der Liste der aktuellen Themen erscheinen." watched_categories: "Beobachtet" - watched_categories_instructions: "Du wirst automatisch alle neuen Themen in diesen Kategorien beobachten und über alle neuen Beiträge und Themen benachrichtigt werden. Die Anzahl der neuen Antworten wird bei den betroffenen Themen angezeigt." + watched_categories_instructions: "Du wirst automatisch alle neuen Themen in diesen Kategorien beobachten. Du wirst über alle neuen Beiträge und Themen benachrichtigt und die Anzahl der neuen Antworten wird bei den betroffenen Themen angezeigt." tracked_categories: "Verfolgt" - tracked_categories_instructions: "Du wirst automatisch allen neuen Themen in diesen Kategorien folgen. Die Anzahl der neuen Antworten wird bei den betroffenen Themen angezeigt." + tracked_categories_instructions: "Du wirst automatisch alle Themen in diesen Kategorien verfolgen. Die Anzahl der neuen Beiträge wird neben dem Thema erscheinen." + watched_first_post_categories: "Ersten Beitrag beobachten" + watched_first_post_categories_instructions: "Du erhältst eine Benachrichtigung für den ersten Beitrag in jedem neuen Thema in diesen Kategorien." + watched_first_post_tags: "Ersten Beitrag beobachten" + watched_first_post_tags_instructions: "Du erhältst eine Benachrichtigung für den ersten Beitrag in jedem neuen Thema mit diesen Schlagwörtern." muted_categories: "Stummgeschaltet" muted_categories_instructions: "Du erhältst keine Benachrichtigungen über neue Themen in dieser Kategorie und die Themen werden auch nicht in der Liste der aktuellen Themen erscheinen." delete_account: "Lösche mein Benutzerkonto" @@ -488,6 +507,7 @@ de: muted_users: "Stummgeschaltet" muted_users_instructions: "Alle Benachrichtigungen von diesem Benutzer unterdrücken." muted_topics_link: "Zeige stummgeschaltete Themen" + watched_topics_link: "Zeige beobachtete Themen" automatically_unpin_topics: "Angeheftete Themen automatisch loslösen, wenn ich deren letzten Beitrag gelesen habe." staff_counters: flags_given: "hilfreiche Meldungen" @@ -517,7 +537,7 @@ de: error: "Beim Ändern dieses Wertes ist ein Fehler aufgetreten." change_username: title: "Benutzernamen ändern" - confirm: "Wenn du deinen Benutzername änderst, werden alle vorherigen Zitate deiner Beiträge und @name Erwähnungen nicht mehr funktionieren, und deine Beitragshistorie wird unterbruchen. Bist du dir ganz sicher, dass du das machen möchtest?" + confirm: "Wenn du deinen Benutzernamen änderst, werden alle vorherigen Zitate deiner Beiträge und Erwähnungen deines vorherigen @Namens nicht mehr funktonieren. Bist du dir ganz sicher, dass du das tun möchtest?" taken: "Der Benutzername ist bereits vergeben." error: "Bei der Änderung deines Benutzernamens ist ein Fehler aufgetreten." invalid: "Der Benutzernamen ist nicht zulässig. Er darf nur Zahlen und Buchstaben enthalten." @@ -601,7 +621,7 @@ de: always: "immer" never: "nie" email_digests: - title: "Wenn ich nicht vorbeischaue, sende mir eine E-Mail-Zusammenfassung beliebter Themen und Antworten an:" + title: "Sende mir eine E-Mail-Zusammenfassung mit beliebten Themen und Antworten, wenn ich länger nicht hier war:" every_30_minutes: "alle 30 Minuten" every_hour: "stündlich" daily: "täglich" @@ -771,7 +791,7 @@ de: reached: "[%{relativeAge}] Aktuelle Rate von %{rate} hat die eingestellte Grenze der Seite von %{siteSettingRate} erreicht." exceeded: "[%{relativeAge}] Aktuelle Rate vpm %{rate} hhat die eingestellte Grenze der Seite von %{siteSettingRate} erreicht." rate: - one: "1 Fehler/%{duration}" + one: "ein Fehler/%{duration}" other: "%{count} Fehler/%{duration}" learn_more: "mehr erfahren..." year: 'Jahr' @@ -811,6 +831,7 @@ de: title: "Nachricht" invite: "Andere einladen..." remove_allowed_user: "Willst du {{name}} wirklich aus dieser Unterhaltung entfernen?" + remove_allowed_group: "Willst du {{name}} wirklich aus dieser Unterhaltung entfernen?" email: 'E-Mail-Adresse' username: 'Benutzername' last_seen: 'Zuletzt gesehen' @@ -877,10 +898,12 @@ de: github: title: "mit GitHub" message: "Authentifiziere mit GitHub (stelle sicher, dass keine Pop-up-Blocker aktiviert sind)" - apple_international: "Apple/International" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" + emoji_set: + apple_international: "Apple" + google: "Google" + twitter: "Twitter" + emoji_one: "Emoji One" + win10: "Windows 10" shortcut_modifier_key: shift: 'Umschalt' ctrl: 'Strg' @@ -942,6 +965,7 @@ de: quote_text: "Zitat" code_title: "Vorformatierter Text" code_text: "vorformatierten Text mit 4 Leerzeichen einrücken" + paste_code_text: "Tippe oder füge den Code hier ein" upload_title: "Upload" upload_description: "gib hier eine Beschreibung des Uploads ein" olist_title: "Nummerierte Liste" @@ -968,6 +992,7 @@ de: notifications: title: "Benachrichtigung über @Name-Erwähnungen, Antworten auf deine Beiträge und Themen, Nachrichten, usw." none: "Die Benachrichtigungen können derzeit nicht geladen werden." + empty: "Keine Benachrichtigungen gefunden." more: "ältere Benachrichtigungen anzeigen" total_flagged: "Anzahl der gemeldeten Beiträge" mentioned: "{{username}} {{description}}
" @@ -988,6 +1013,7 @@ de: moved_post: "{{username}} hat {{description}} verschoben
" linked: "{{username}} {{description}}
" granted_badge: "Abzeichen '{{description}}' erhalten
" + watching_first_post: "Neues Thema {{description}}
" group_message_summary: one: "Eine Nachricht in deinem {{group_name}} Postfach
" other: "{{count}} Nachrichten in deinem {{group_name}} Postfach
" @@ -1180,6 +1206,8 @@ de: go_bottom: "Ende" go: "Los" jump_bottom: "springe zum letzten Beitrag" + jump_prompt: "Springe zu Beitrag" + jump_prompt_long: "Zu welchem Beitrag möchtest du springen?" jump_bottom_with_number: "springe zu Beitrag %{post_number}" total: Beiträge insgesamt current: aktueller Beitrag @@ -1188,6 +1216,7 @@ de: title: Ändere wie häufig du zu diesem Thema benachrichtigt wirst reasons: mailing_list_mode: "Du hast den Mailinglisten-Modus aktiviert, daher wirst du über Antworten zu diesem Thema per E-Mail benachrichtigt" + '3_10': 'Du wirst Benachrichtigungen erhalten, weil du ein Schlagwort an diesem Thema beobachtest.' '3_6': 'Du wirst Benachrichtigungen erhalten, weil du diese Kategorie beobachtest.' '3_5': 'Du wirst Benachrichtigungen erhalten, weil dieses Thema automatisch von dir beobachtet wird.' '3_2': 'Du wirst Benachrichtigungen erhalten, weil du dieses Thema beobachtest.' @@ -1295,6 +1324,7 @@ de: email_or_username_placeholder: "E-Mail-Adresse oder Benutzername" action: "Einladen" success: "Wir haben den Benutzer gebeten, sich an dieser Unterhaltung zu beteiligen." + success_group: "Wir haben die Gruppe eingeladen, an dieser Nachricht mitzuwirken." error: "Entschuldige, es gab einen Fehler beim Einladen des Benutzers." group_name: "Gruppenname" controls: "Weitere Aktionen" @@ -1334,6 +1364,10 @@ de: instructions: one: "Bitte wähle das Thema, in welches du den Beitrag verschieben möchtest." other: "Bitte wähle das Thema, in welches du die {{count}} Beiträge verschieben möchtest." + merge_posts: + title: "Ausgewählte Beiträge zusammenführen" + action: "ausgewählte Beiträge zusammenführen" + error: "Es gab einen Fehler beim Zusammenführen der ausgewählten Beiträge." change_owner: title: "Eigentümer der Beiträge ändern" action: "Eigentümer ändern" @@ -1418,7 +1452,7 @@ de: about: "dieser Beitrag ist ein Wiki" archetypes: save: 'Speicheroptionen' - few_likes_left: "Danke fürs teilen der Liebe! Du hast für heute nur noch wenige Likes übrig." + few_likes_left: "Danke für’s Teilen der Liebe! Du hast für heute nur noch wenige „Gefällt mir“-Angaben übrig." controls: reply: "verfasse eine Antwort auf diesen Beitrag" like: "dieser Beitrag gefällt mir" @@ -1537,6 +1571,10 @@ de: confirm: one: "Möchtest du wirklich diesen Beitrag löschen?" other: "Möchtest du wirklich all diese Beiträge löschen?" + merge: + confirm: + one: "Möchtest du diese Beiträge wirklich zusammenführen?" + other: "Möchtest du diese {{count}} Beiträge wirklich zusammenführen?" revisions: controls: first: "Erste Überarbeitung" @@ -1619,10 +1657,13 @@ de: notifications: watching: title: "Beobachten" - description: "Du wirst automatisch alle neuen Themen in diesen Kategorien beobachten. Du wirst über jeden neuen Beitrag in jedem Thema benachrichtigt und die Anzahl neuer Antworten wird angezeigt." + description: "Du wirst automatisch alle neuen Themen in diesen Kategorien beobachten. Du wirst über alle neuen Beiträge in allen Themen benachrichtigt und die Anzahl der neuen Antworten wird angezeigt." + watching_first_post: + title: "Ersten Beitrag beobachten" + description: "Du erhältst eine Benachrichtigung fnur ür den ersten Beitrag in jedem neuen Thema in diesen Kategorien." tracking: title: "Verfolgen" - description: "Du wirst automatisch allen neuen Themen in diesen Kategorien folgen. Du wirst benachrichtigt, wenn jemand deinen @Namen erwähnt oder auf deinen Beitrag antwortet, und die Anzahl neuer Antworten wird angezeigt." + description: "Du wirst automatisch alle neuen Themen in diesen Kategorien verfolgen. Du wirst benachrichtigt, wenn jemand deinen @name erwähnt oder dir antwortet, und die Anzahl der neuen Antworten wird angezeigt." regular: title: "Normal" description: "Du wirst benachrichtigt, wenn jemand deinen @Namen erwähnt oder auf deinen Beitrag antwortet." @@ -1662,7 +1703,7 @@ de: title: "Zusammenfassung des Themas" participants_title: "Autoren vieler Beiträge" links_title: "Beliebte Links" - links_shown: "zeige alle {{totalLinks}} Links..." + links_shown: "mehr Links anzeigen..." clicks: one: "1 Klick" other: "%{count} Klicks" @@ -1805,7 +1846,7 @@ de: lightbox: download: "herunterladen" search_help: - title: 'Hilfe durchsuchen' + title: 'Suche' keyboard_shortcuts_help: title: 'Tastenkombinationen' jump_to: @@ -1891,15 +1932,16 @@ de: google_search: |-
+ tagging: all_tags: "Alle Schlagwörter" selector_all_tags: "Alle Schlagwörter" + selector_no_tags: "keine Schlagwörter" changed: "Geänderte Schlagwörter:" tags: "Schlagwörter" choose_for_topic: "Optionale Schlagwörter für dieses Thema wählen" @@ -1915,13 +1957,18 @@ de: filters: without_category: "%{filter} %{tag} Themen" with_category: "%{filter} %{tag} Themen in %{category}" + untagged_without_category: "%{filter} Themen ohne Schlagwörter" + untagged_with_category: "%{filter} ohne Schlagwörter in %{category}" notifications: watching: title: "Beobachten" - description: "Du wirst automatisch alle neuen Themen mit diesem Schlagwort beobachten. Du wirst über alle neuen Beiträge und Themen benachrichtigt werden. Außerdem wird die Anzahl der ungelesenen und neuen Beiträge neben dem Thema erscheinen." + description: "Du wirst automatisch alle Themen mit diesem Schlagwort beobachten. Du wirst über alle neuen Beiträge und Themen benachrichtigt werden. Außerdem wird die Anzahl der ungelesenen und neuen Beiträge neben dem Thema erscheinen." + watching_first_post: + title: "Ersten Beitrag beobachten" + description: "Du erhältst nur eine Benachrichtigung für den ersten Beitrag in jedem neuen Thema mit diesem Schlagwort." tracking: title: "Verfolgen" - description: "Du wirst automatisch alle neuen Themen mit diesem Schlagwort folgen. Die Anzahl der ungelesenen und neuen Beiträge wird neben dem Thema erscheinen." + description: "Du wirst automatisch allen Themen mit diesem Schlagwort folgen. Die Anzahl der ungelesenen und neuen Beiträge wird neben dem Thema erscheinen." regular: title: "Allgemein" description: "Du wirst benachrichtigt, wenn jemand deinen @Namen erwähnt oder auf deinen Beitrag antwortet." diff --git a/config/locales/client.en.yml b/config/locales/client.en.yml index 1941b72499..79d0fe1cd6 100644 --- a/config/locales/client.en.yml +++ b/config/locales/client.en.yml @@ -1016,9 +1016,11 @@ en: more_emoji: "more..." options: "Options" whisper: "whisper" + unlist: "unlisted" add_warning: "This is an official warning." toggle_whisper: "Toggle Whisper" + toggle_unlisted: "Toggle Unlisted" posting_not_on_topic: "Which topic do you want to reply to?" saving_draft_tip: "saving..." saved_draft_tip: "saved" @@ -1088,6 +1090,9 @@ en: modal_ok: "OK" modal_cancel: "Cancel" cant_send_pm: "Sorry, you can't send a message to %{username}." + yourself_confirm: + title: "Did you forget to add recipients?" + body: "Right now this message is only being sent to yourself!" admin_options_title: "Optional staff settings for this topic" auto_close: @@ -1349,6 +1354,8 @@ en: go_bottom: "bottom" go: "go" jump_bottom: "jump to last post" + jump_prompt: "jump to post" + jump_prompt_long: "What post would you like to jump to?" jump_bottom_with_number: "jump to post %{post_number}" total: total posts current: current post @@ -1358,7 +1365,7 @@ en: title: change how often you get notified about this topic reasons: mailing_list_mode: "You have mailing list mode enabled, so you will be notified of replies to this topic via email." - "3_10": 'You will receive notifications because you are watching this a tag on this topic.' + "3_10": 'You will receive notifications because you are watching a tag on this topic.' "3_6": 'You will receive notifications because you are watching this category.' "3_5": 'You will receive notifications because you started watching this topic automatically.' "3_2": 'You will receive notifications because you are watching this topic.' @@ -1523,6 +1530,11 @@ en: one: "Please choose the topic you'd like to move that post to." other: "Please choose the topic you'd like to move those {{count}} posts to." + merge_posts: + title: "Merge Selected Posts" + action: "merge selected posts" + error: "There was an error merging the selected posts." + change_owner: title: "Change Owner of Posts" action: "change ownership" @@ -1742,6 +1754,11 @@ en: one: "Are you sure you want to delete that post?" other: "Are you sure you want to delete all those posts?" + merge: + confirm: + one: "Are you sure you want merge those posts?" + other: "Are you sure you want to merge those {{count}} posts?" + revisions: controls: first: "First revision" diff --git a/config/locales/client.es.yml b/config/locales/client.es.yml index fba1430a60..14aa0aef4d 100644 --- a/config/locales/client.es.yml +++ b/config/locales/client.es.yml @@ -117,7 +117,9 @@ es: private_topic: "hizo este tema privado %{when}" split_topic: "separó este tema %{when}" invited_user: "invitó a %{who} %{when}" + invited_group: "invitó a %{who} %{when}" removed_user: "eliminó a %{who} %{when}" + removed_group: "eliminó a %{who} %{when}" autoclosed: enabled: 'cerrado %{when}' disabled: 'abierto %{when}' @@ -150,9 +152,11 @@ es: eu_central_1: "UE (Frankfurt)" ap_southeast_1: "Asia Pacific (Singapur)" ap_southeast_2: "Asia Pacific (Sydney)" + ap_south_1: "Asia Pacific (Bombay)" ap_northeast_1: "Asia Pacific (Tokyo)" ap_northeast_2: "Asia Pacific (Seúl)" sa_east_1: "Sudamérica (São Paulo)" + cn_north_1: "China (Pekín)" edit: 'editar el título y la categoría de este tema' not_implemented: "Esta característica no ha sido implementada aún, ¡lo sentimos!" no_value: "No" @@ -253,7 +257,7 @@ es: undo: "Deshacer" revert: "Revertir" failed: "Falló" - switch_to_anon: "Modo Anónimo" + switch_to_anon: "Entrar al Modo Anónimo" switch_from_anon: "Salir del Modo Anónimo" banner: close: "Descartar este banner." @@ -330,6 +334,7 @@ es: selector_placeholder: "Añadir miembros" owner: "propietario" visible: "El grupo es visible para todos los usuarios" + index: "Grupos" title: one: "grupo" other: "grupos" @@ -352,6 +357,9 @@ es: watching: title: "Vigilando" description: "e te notificará de cada nuevo post en este mensaje y se mostrará un contador de nuevos posts." + watching_first_post: + title: "Vigilar Primer Post" + description: "Sólo se te notificará del primer post en cada nuevo tema en este grupo." tracking: title: "Siguiendo" description: "Se te notificará si alguien menciona tu @nombre o te responde, y un contador de nuevos mensajes será mostrado." @@ -446,7 +454,7 @@ es: disable: "Desactivar notificaciones" enable: "Activar notificaciones" each_browser_note: "Nota: Tendrás que cambiar esta opción para cada navegador que uses." - dismiss_notifications: "Marcador todos como leídos" + dismiss_notifications: "Descartar todos" dismiss_notifications_tooltip: "Marcar todas las notificaciones no leídas como leídas" disable_jump_reply: "No dirigirme a mi post cuando responda" dynamic_favicon: "Mostrar contador de temas nuevos/actualizados en el favicon" @@ -470,12 +478,23 @@ es: Los temas y categorías silenciadas no se incluyen en estos emails. daily: "Enviar actualizaciones diariamente" individual: "Enviar un email por cada nuevo post" - many_per_day: "Enviarme un correo por cada nuevo post (en torno a {{dailyEmailEstimate}} por día)." - few_per_day: "Enviarme un correo por cada nuevo post (menos de 2 por día)." + many_per_day: "Enviarme un email por cada nuevo post (unos {{dailyEmailEstimate}} por día)" + few_per_day: "Enviarme un email por cada nuevo post (unos 2 por día)" + tag_settings: "Etiquetas" + watched_tags: "Vigiladas" + watched_tags_instructions: "Vigilarás automáticamente todos los temas con estas etiquetas. Se te notificará de todos los nuevos posts y temas y aparecerá un contador de nuevos posts al lado del tema." + tracked_tags: "Siguiendo" + tracked_tags_instructions: "Seguirás automáticamente todos los temas con estas etiquetas. Aparecerá un contador de nuevos posts al lado del tema." + muted_tags: "Silenciadas" + muted_tags_instructions: "No serás notificado de ningún tema con estas etiquetas y no aparecerán en la pestaña Recientes." watched_categories: "Vigiladas" - watched_categories_instructions: "Seguirás automáticamente todos los nuevos temas en estas categorías. Se te notificará de cada nuevo post y tema, y además, se añadirá un contador de posts nuevos y sin leer al lado del tema." + watched_categories_instructions: "Vigilarás automáticamente todos los temas en estas categorías. Se te notificará de todos los nuevos posts y temas, y aparecerá un contador de nuevos posts al lado del tema." tracked_categories: "Siguiendo" - tracked_categories_instructions: "Seguirás automáticamente todos los nuevos temas en estas categorías. Se añadirá un contador de posts nuevos y sin leer al lado del tema." + tracked_categories_instructions: "Seguirás automáticamente todos los temas en estas categorías. Aparecerá un contador de nuevos posts al lado del tema." + watched_first_post_categories: "Vigilar Primer Post" + watched_first_post_categories_instructions: "Se te notificará del primer post de cada nuevo tema en estas categorías." + watched_first_post_tags: "Vigilando Primer Post" + watched_first_post_tags_instructions: "Se te notificará del primer post en cada nuevo tema con estas etiquetas." muted_categories: "Silenciado" muted_categories_instructions: "No serás notificado de ningún tema en estas categorías, y no aparecerán en la página de mensajes recientes." delete_account: "Borrar Mi Cuenta" @@ -488,6 +507,7 @@ es: muted_users: "Silenciados" muted_users_instructions: "Omite todas las notificaciones de estos usuarios." muted_topics_link: "Mostrar temas silenciados" + watched_topics_link: "Mostrar temas vigilados" automatically_unpin_topics: "Dejar de destacar temas automáticamente cuando los leo por completo." staff_counters: flags_given: "reportes útiles" @@ -517,7 +537,7 @@ es: error: "Hubo un error al cambiar este valor." change_username: title: "Cambiar Nombre de Usuario" - confirm: "Si cambias tu nombre de usuario, todas las citas de tus posts y @menciones se romperán, y tu parte de tu historial será interrumpido. ¿Seguro que quieres cambiarlo?" + confirm: "Si cambias tu nombre de usuario, todas las citas anteriores a tus posts y menciones a tu @nombre se romperán. ¿Seguro que quieres hacerlo?" taken: "Lo sentimos, ese nombre de usuario ya está siendo usado." error: "Ha ocurrido un error al cambiar tu nombre de usuario." invalid: "Este nombre de usuario no es válido. Debe incluir sólo números y letras" @@ -601,7 +621,7 @@ es: always: "siempre" never: "nunca" email_digests: - title: "Cuando no visite el sitio, envíame un resumen por email de los temas populares y las respuestas a:" + title: "Cuando no visite el sitio, envíame un email con un resumen de los temas y respuestas populares" every_30_minutes: "cada 30 minutos" every_hour: "cada hora" daily: "diariamente" @@ -811,6 +831,7 @@ es: title: "Mensaje" invite: "Invitar a Otros..." remove_allowed_user: "¿Seguro que quieres eliminar a {{name}} de este mensaje?" + remove_allowed_group: "¿Seguro que quieres eliminar a {{name}} de este mensaje?" email: 'E-mail' username: 'Nombre de usuario' last_seen: 'Visto por última vez' @@ -877,10 +898,12 @@ es: github: title: "con GitHub" message: "Autenticando con GitHub (asegúrate de desactivar cualquier bloqueador de pop ups)" - apple_international: "Apple/Internacional" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" + emoji_set: + apple_international: "Apple/Internacional" + google: "Google" + twitter: "Twitter" + emoji_one: "Emoji One" + win10: "Win10" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -942,6 +965,7 @@ es: quote_text: "Cita" code_title: "Texto preformateado" code_text: "texto preformateado precedido por 4 espacios" + paste_code_text: "escribe o pega el código aquí" upload_title: "Subir" upload_description: "introduce una descripción de la imagen aquí" olist_title: "Lista numerada" @@ -968,6 +992,7 @@ es: notifications: title: "notificaciones por menciones a tu @nombre, respuestas a tus posts y temas, mensajes, etc" none: "No se han podido cargar las notificaciones." + empty: "No se han encontrado notificaciones." more: "ver notificaciones antiguas" total_flagged: "total de posts reportados" mentioned: "{{username}} {{description}}
" @@ -988,6 +1013,7 @@ es: moved_post: "{{username}} movió {{description}}
" linked: "{{username}} {{description}}
" granted_badge: "Se te ha concedido '{{description}}'
" + watching_first_post: "Nuevo Tema {{description}}
" group_message_summary: one: "{{count}} mensaje en la bandeja del grupo {{group_name}}
" other: "{{count}} mensajes en la bandeja del grupo {{group_name}}
" @@ -1180,6 +1206,8 @@ es: go_bottom: "abajo" go: "ir" jump_bottom: "salta al último post" + jump_prompt: "saltar al post" + jump_prompt_long: "¿Hacia qué post quieres saltar?" jump_bottom_with_number: "saltar al post %{post_number}" total: posts totales current: post actual @@ -1188,6 +1216,7 @@ es: title: cambiar con qué frecuencia se te notifica de este tema reasons: mailing_list_mode: "El modo lista de correo se encuentra activado, por lo que se te notificará de las respuestas a este tema vía email." + '3_10': 'Recibirás notificaciones porque estás vigilando una etiqueta de este tema.' '3_6': 'Recibirás notificaciones porque estás vigilando esta categoría.' '3_5': 'Recibirás notificaciones porque has empezado a vigilar este tema automáticamente.' '3_2': 'Recibirás notificaciones porque estás vigilando este tema.' @@ -1295,6 +1324,7 @@ es: email_or_username_placeholder: "dirección de email o nombre de usuario" action: "Invitar" success: "Hemos invitado a ese usuario a participar en este hilo de mensajes." + success_group: "Hemos invitado a ese grupo a participar en este mensaje." error: "Lo sentimos, hubo un error al invitar a ese usuario." group_name: "nombre del grupo" controls: "Controles del tema" @@ -1334,6 +1364,10 @@ es: instructions: one: "Por favor escoge el tema al que quieres mover ese post." other: "Por favor escoge el tema al que quieres mover esos {{count}} posts." + merge_posts: + title: "Unir posts seleccionados" + action: "unir posts seleccionados" + error: "Hubo un error al unir los posts seleccionados." change_owner: title: "Cambiar dueño de los posts" action: "cambiar dueño" @@ -1537,6 +1571,10 @@ es: confirm: one: "¿Seguro que quieres eliminar ese post?" other: "¿Seguro que quieres eliminar todos esos posts?" + merge: + confirm: + one: "¿Seguro que quieres unir esos posts?" + other: "¿Seguro que quieres unir esos {{count}} posts?" revisions: controls: first: "Primera revisión" @@ -1619,10 +1657,13 @@ es: notifications: watching: title: "Vigilar" - description: "Vigilarás automáticamente todos los nuevos temas en estas categorías. Serás notificado por cada nuevo mensaje en cada tema, y verás una cuenta de las nuevas respuestas." + description: "Vigilarás automáticamente todos los temas en estas categorías. Se te notificará de cada nuevo post en cada tema, y se mostrará un contador de nuevas respuestas." + watching_first_post: + title: "Vigilar Primer Post" + description: "Se te notificará del primer post de cada nuevo tema en estas categorías." tracking: title: "Seguir" - description: "Seguirás automáticamente todos los nuevos temas en estas categorías. Serás notificado si alguien menciona tu @nombre o te responde, y verás una cuenta de las nuevas respuestas." + description: "Seguirás automáticamente todos los temas en estas categorías. Se te notificará si alguien menciona tu @nombre o te responde, y se mostrará un contador de nuevas respuestas." regular: title: "Normal" description: "Se te notificará solo si alguien menciona tu @nombre o te responde a un post." @@ -1662,7 +1703,7 @@ es: title: "Resumen de temas" participants_title: "Autores frecuentes" links_title: "Enlaces populares" - links_shown: "mostrar los {{totalLinks}} enlaces..." + links_shown: "mostrar más enlaces..." clicks: one: "1 clic" other: "%{count} clics" @@ -1698,10 +1739,10 @@ es: posts_long: "{{number}} posts en este tema" posts_likes_MF: | Este tema tiene {count, plural, one {1 respuesta} other {# respuestas}} {ratio, select, - low {con una ratio de me gusta por post elevada} - med {con una ratio de me gusta por post bastante elevada} - high {con una ratio de me gusta por post elevadísima} - other {}} + low {con una ratio de me gusta por post elevada} + med {con una ratio de me gusta por post bastante elevada} + high {con una ratio de me gusta por post elevadísima} + other {}} original_post: "Post Original" views: "Visitas" views_lowercase: @@ -1895,15 +1936,16 @@ es: google_search: |-
+ tagging: all_tags: "Etiquetas" selector_all_tags: "etiquetas" + selector_no_tags: "sin etiquetas" changed: "etiquetas cambiadas:" tags: "Etiquetas" choose_for_topic: "elegir etiquetas para este tema (opcional)" @@ -1919,13 +1961,18 @@ es: filters: without_category: "%{filter} %{tag} temas" with_category: "%{filter} %{tag} temas en %{category}" + untagged_without_category: "%{filter} temas sin etiquetas" + untagged_with_category: "%{filter} temas sin etiquetas en %{category}" notifications: watching: title: "Vigilar" - description: "Vigilarás automáticamente todos los nuevos temas con esta etiqueta. Se añadirá un contador de posts nuevos y sin leer al lado del tema y además, se te notificará de cada nuevo tema y post." + description: "Vigilarás todos los temas en esta etiqueta. Se te notificará de todos los nuevos temas y posts, y además aparecerá el contador de posts sin leer y nuevos posts al lado del tema." + watching_first_post: + title: "Vigilar Primer Post" + description: "Se te notificará del primer post de cada nuevo tema en esta etiqueta." tracking: title: "Seguir" - description: "Seguirás automáticamente todos los nuevos temas con esta etiqueta. Se añadirá un contador de posts nuevos y sin leer al lado del tema." + description: "Seguirás automáticamente todos los temas en esta etiqueta. Aparecerá un contador de posts sin leer y nuevos posts al lado del tema." regular: title: "Normal" description: "Se te notificará solo si alguien te menciona con tu @usuario o responde a algún post tuyo." @@ -2835,148 +2882,3 @@ es: label: "Nuevo:" add: "Añadir" filter: "Buscar (URL o URL externa)" - lightbox: - download: "descargar" - search_help: - title: 'Ayuda para búsquedas' - keyboard_shortcuts_help: - title: 'Atajos de teclado' - jump_to: - title: 'Saltar a' - home: 'g, h Inicio' - latest: 'g, l Recientes' - new: 'g, n Nuevos' - unread: 'g, u No leídos' - categories: 'g, c Categorías' - top: 'g, t Arriba' - bookmarks: 'g, b Marcadores' - profile: 'g, p Perfil' - messages: 'g, m Mensajes' - navigation: - title: 'Navegación' - jump: '# Ir al post #' - back: 'u Atrás' - up_down: 'k/j Desplazar selección ↑ ↓' - open: 'o or Entrar Abrir tema seleccionado' - next_prev: 'shift+j/shift+k Siguiente/anterior sección' - application: - title: 'Aplicación' - create: 'c Crear un tema nuevo' - notifications: 'n Abrir notificaciones' - hamburger_menu: '= Abrir Menú' - user_profile_menu: 'p Abrir menú de usuario' - show_incoming_updated_topics: '. Mostrar temas actualizados' - search: '/ Buscar' - help: '? Abrir la guía de atajos de teclado' - dismiss_new_posts: 'x, r Descartar Nuevo/Posts' - dismiss_topics: 'x, t Descartar Temas' - log_out: 'shift+z shift+z Cerrar sesión' - actions: - title: 'Acciones' - bookmark_topic: 'f Guardar/Quitar el tema de marcadores' - pin_unpin_topic: 'shift+p Seleccionar/Deseleccionar como destacado' - share_topic: 'shift+s Compartir tema' - share_post: 's Compartir post' - reply_as_new_topic: 't Responder como un tema enlazado.' - reply_topic: 'shift+r Responder al tema' - reply_post: 'r Responder al post' - quote_post: 'q Citar post' - like: 'l Me gusta el post' - flag: '! Reportar post' - bookmark: 'b Marcar post' - edit: 'e Editar post' - delete: 'd Borrar post' - mark_muted: 'm, m Silenciar tema' - mark_regular: 'm, r Marcar este tema como normal (por defecto)' - mark_tracking: 'm, t Seguir tema' - mark_watching: 'm, w Vigilar Tema' - badges: - earned_n_times: - one: "Ganó este distintivo 1 vez" - other: "Ganó este distintivo %{count} veces" - granted_on: "Concedido el %{date}" - others_count: "Otras personas con este distintivo (%{count})" - title: Distintivos - allow_title: "título disponible" - multiple_grant: "puede ser concedido varias veces" - badge_count: - one: "1 distintivo" - other: "%{count} distintivos" - more_badges: - one: "+1 más" - other: "+%{count} Más" - granted: - one: "1 concedido" - other: "%{count} concedido" - select_badge_for_title: Seleccionar un distintivo para utilizar como tu título - none: "-
- - tagging: - all_tags: "Etiquetas" - selector_all_tags: "etiquetas" - changed: "etiquetas cambiadas:" - tags: "Etiquetas" - choose_for_topic: "elegir etiquetas para este tema (opcional)" - delete_tag: "Eliminar etiqueta" - delete_confirm: "¿Seguro que quieres eliminar esa etiqueta?" - rename_tag: "Renombrar etiqueta" - rename_instructions: "Elige un nuevo nombre para la etiqueta:" - sort_by: "Ordenar por:" - sort_by_count: "contador" - sort_by_name: "nombre" - filters: - without_category: "%{filter} %{tag} temas" - with_category: "%{filter} %{tag} temas en %{category}" - notifications: - watching: - title: "Vigilar" - description: "Vigilarás automáticamente todos los nuevos temas con esta etiqueta. Se añadirá un contador de posts nuevos y sin leer al lado del tema y además, se te notificará de cada nuevo tema y post." - tracking: - title: "Seguir" - description: "Seguirás automáticamente todos los nuevos temas con esta etiqueta. Se añadirá un contador de posts nuevos y sin leer al lado del tema." - regular: - title: "Normal" - description: "Se te notificará solo si alguien te menciona con tu @usuario o responde a algún post tuyo." - muted: - title: "Silenciar" - description: "No se te notificará de nuevos temas con esta etiqueta, ni aparecerán en tu pestaña de temas no leídos." - topics: - none: - unread: "No tienes temas sin leer." - new: "No tienes nuevos temas." - read: "Aún no has leído ningún tema." - posted: "Aún no has publicado ningún tema." - latest: "No hay temas recientes." - hot: "No hay temas populares." - bookmarks: "No hay temas guardados en marcadores aún." - top: "No hay temas top." - search: "No hay resultados de búsqueda." - bottom: - latest: "No hay más temas recientes." - hot: "No hay más temas populares." - posted: "No hay más temas publicados." - read: "No hay más temas leídos." - new: "No hay más temas nuevos." - unread: "No hay más temas sin leer." - top: "No hay más temas top." - bookmarks: "No hay más temas guardados en marcadores." - search: "No hay más resultados de búsqueda." diff --git a/config/locales/client.et.yml b/config/locales/client.et.yml index 6b1e4aa8ad..875f750dc0 100644 --- a/config/locales/client.et.yml +++ b/config/locales/client.et.yml @@ -27,6 +27,7 @@ et: millions: "{{number}}M" dates: time: "hh:mm" + timeline_date: "MMM YYYY" long_no_year: "D. MMMM hh:mm" long_no_year_no_time: "D. MMMM" full_no_year_no_time: "Do MMMM" @@ -38,6 +39,7 @@ et: long_date_with_year_without_time: "D. MMMM, 'YY" long_date_without_year_with_linebreak: "D. MMMM{{username}} {{description}}
" invitee_accepted: "{{username}} võttis Sinu kutse vastu
" moved_post: "{{username}} liigutas {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Teenisid '{{description}}'
" group_message_summary: one: "{{count}} sõnum Sinu {{group_name}} postkastis
" @@ -1041,6 +1065,9 @@ et: selected: one: "Märkisid ära 1 teema." other: "Märkisid ära {{count}} teemat." + change_tags: "Muuda silte" + choose_new_tags: "Vali teemadele uued sildid:" + changed_tags: "Nende teemade silte on muudetud." none: unread: "Sul ei ole lugemata teemasid." new: "Sul ei ole uusi teemasid." @@ -1143,6 +1170,7 @@ et: position: "postitus %{current} koguarvust %{total}" notifications: reasons: + '3_10': 'Sulle saabuvad teavitused kuna vaatled selle teema seda silti.' '3_6': 'Sulle saabuvad teavitused, kuna vaatled seda liiki.' '3_5': 'Sulle saabuvad teavitused kuna hakkasid seda teemat automaatselt jälgima.' '3_2': 'Sulle saabuvad teavitused kuna jälgid seda teemat.' @@ -1241,8 +1269,6 @@ et: no_banner_exists: "Bänner-teemat ei ole." banner_exists: "Hetkel on üks bänner-teema." inviting: "Kutsun..." - automatically_add_to_groups_optional: "See kutse annab juurdepääsu ka gruppidele: (vabatahtlik, ainult adminidele)" - automatically_add_to_groups_required: "See kutse annab juurdepääsu ka gruppidele: (Nõutud, ainult adminidele)" invite_private: title: 'Kutsu sõnumisse' email_or_username: "Kutsutava meiliaadress või kasutajanimi" @@ -1519,6 +1545,11 @@ et: general: 'Üldine' settings: 'Sätted' topic_template: "Teema mall" + tags: "Sildid" + tags_allowed_tags: "Sildid, mida saab kasutada vaid selles foorumis:" + tags_allowed_tag_groups: "Siltide grupid, mida saab kasutada vaid selles foorumis:" + tags_placeholder: "(Valikuline) loetelu lubatud silte" + tag_groups_placeholder: "(Valikuline) loetelu lubatud siltide gruppe" delete: 'Kustuta liik' create: 'Uus liik' create_long: 'Loo uus liik' @@ -1565,10 +1596,12 @@ et: notifications: watching: title: "Vaatleb" - description: "Sa vaatled nendes liikides kõiki uusi teemasid automaatselt. Sind teavitatakse igast uuest postitusest igas teemas, koos uute postituste arvu näitamisega." + description: "Sa vaatled nendes foorumites kõiki teemasid automaatselt. Sind teavitatakse igast uuest postitusest igas teemas. Ühtlasi kuvatakse uute vastuste arv." + watching_first_post: + title: "Vaatan esimest postitust" tracking: title: "Jälgib" - description: "Sa jälgid nendes liikides kõiki uusi teemasid automaatselt. Sind teavitatakse, kui keegi sinu @name mainib või sulle vastab. Ühtlasi kuvatakse uute vastuste arv." + description: "Sa vaatled kõiki nende foorumite teemasid automaatselt. Sind teavitatakse, kui keegi sinu @name mainib või sulle vastab. Ühtlasi kuvatakse uute vastuste arv." regular: title: "Normaalne" description: "Sind teavitatakse, kui keegi Sinu @name mainib või Sulle vastab." @@ -1607,7 +1640,6 @@ et: title: "Teema kokkuvõte" participants_title: "Sagedased postitajad" links_title: "Populaarsed viited" - links_shown: "näita kõiki {{totalLinks}} viidet..." clicks: one: "1 klikk" other: "%{count} klikki" @@ -1638,10 +1670,10 @@ et: posts_long: "selles teemas on {{number}} postitust" posts_likes_MF: | Selles teemas on {count, plural, one {1 vastus} other {# vastust}} {ratio, select, - low {kõrge meeldimiste / postituste suhtega} - med {väga kõrge meeldimiste / postituste suhtega} - high {eriti kõrge meeldimiste / postituste suhtega} - other {}} + low {kõrge meeldimiste / postituste suhtega} + med {väga kõrge meeldimiste / postituste suhtega} + high {eriti kõrge meeldimiste / postituste suhtega} + other {}} original_post: "Algne postitus" views: "Vaatamisi" views_lowercase: @@ -1746,6 +1778,49 @@ et: full: "Loo / Vasta / Vaata" create_post: "Vasta / Vaata" readonly: "Vaata" + tagging: + all_tags: "Kõik sildid" + selector_all_tags: "kõik sildid" + selector_no_tags: "sildid puuduvad" + changed: "muudetud sildid:" + tags: "Sildid" + choose_for_topic: "Vali teemadele valikulised sildid:" + delete_tag: "Kustuta silt" + delete_confirm: "Oled Sa kindel, et soovid selle sildi kustutada?" + rename_tag: "Nimeta silt ümber" + rename_instructions: "Vali sildile uus nimi:" + manage_groups: "Halda siltide gruppe" + manage_groups_description: "Määra siltide organiseerimiseks grupid" + filters: + without_category: "%{filter} %{tag} teemat" + with_category: "%{filter} %{tag} teemat %{category} foorumis" + untagged_without_category: "%{filter} sildistamata teemat" + untagged_with_category: "%{filter} sildistamata teemat %{category} foorumis" + notifications: + watching: + title: "Vaatlen" + description: "Sa vaatled kõiki selle sildiga teemasid automaatselt. Sind teavitatakse kõigist uutest postitustest ja teemadest, koos lugemata ja uute postituste arvuga teema pealkirja kõrval." + watching_first_post: + description: "Sind teavitatakse vaid esimesest postitusest igas uues selle sildiga teemas." + tracking: + description: "Sa jälgid kõiki selle sildiga uusi teemasid. Lugemata ja uute postituste arv on näha teema pealkirja kõrval." + muted: + description: "Sind ei teavitata ühestki uuest selle sildiga teemast, samuti ei ilmu nad lugemata postituste sakil." + groups: + title: "Siltide grupid" + about: "Hõlpsamaks haldamiseks lisa sildid gruppidesse." + tags_label: "Sildid selles grupis:" + parent_tag_label: "Ülemsilt:" + parent_tag_placeholder: "Valikuline" + parent_tag_description: "Sellesse gruppi kuuluvaid silte ei saa kasutada, kui ülemsilt on puudu." + one_per_topic_label: "Vaid üks selle grupi silt teema kohta" + new_name: "Uus siltide grupp" + confirm_delete: "Oled kindel, et soovid selle siltide grupi kustutada?" + topics: + none: + unread: "Sul ei ole lugemata teemasid." + bottom: + unread: "Rohkem lugemata teemasid pole." admin_js: type_to_filter: "filtreerimiseks trüki..." admin: @@ -2593,105 +2668,3 @@ et: label: "Uus" add: "Lisa" filter: "Otsi (URL või väline URL)" - lightbox: - download: "Lae alla" - search_help: - title: 'Otsingu spikker' - keyboard_shortcuts_help: - title: 'Klaviatuuri kiirvalikud' - jump_to: - title: 'Hüppa' - home: 'g, h Avaleht' - latest: 'g, l Viimased' - new: 'g, n Uus' - unread: 'g, u Lugemata' - categories: 'g, c Liigid' - top: 'g, t Üles' - bookmarks: 'g, b Järjehoidjad' - profile: 'g, p Profiil' - messages: 'g, m Sõnumid' - navigation: - title: 'Navigatsioon' - jump: '# Mine postitusse #' - back: 'u Tagasi' - up_down: 'k/j Liiguta valitut ↑ ↓' - open: 'o or Enter Ava valitud teema' - next_prev: 'shift+j/shift+k Järgmine/eelmine sektsioon' - application: - title: 'Rakendus' - create: 'c Loo uus teema' - notifications: 'n Ava teavitused' - hamburger_menu: '= Ava rippmenüü' - user_profile_menu: 'p Ava kasutajamenüü' - show_incoming_updated_topics: '. Näita uuendatud teemasid' - search: '/ Otsi' - help: '? Ava klaviatuuri abimenüü' - dismiss_new_posts: 'x, r Lükka Uued/Postitused tagasi' - dismiss_topics: 'x, t Lükka teemad tagasi' - log_out: 'shift+z shift+z Logi välja' - actions: - title: 'Tegevused' - bookmark_topic: 'f Lülita postituse järjehoidja sisse/välja - - ' - pin_unpin_topic: 'shift+p Kinnita/Vabasta teema' - share_topic: 'shift+s Jaga teemat' - share_post: 's Jaga postitust' - reply_as_new_topic: 't Vasta viidates teemale' - reply_topic: 'shift+r Vasta teemale' - reply_post: 'r Vasta postitusele' - quote_post: 'q Tsiteeri postitust' - like: 'l Märgi postitus meeldivaks' - flag: '! Tähista postitus' - bookmark: 'b Pane postitusele järjehoidja' - edit: 'e Muuda postitust' - delete: 'd Kustuta postitus' - mark_muted: 'm, m Vaigista teema' - mark_regular: 'm, r Tavaline teema' - mark_tracking: 'm, t Jälgi teemat' - mark_watching: 'Vaatle teemat' - badges: - earned_n_times: - one: "Teenis selle märgise 1 kord" - other: "Teenis selle märgise %{count} korda" - granted_on: "Märgistatud %{date}" - others_count: "Teised selle märgisega (%{count})" - title: Märgiseid - allow_title: "saadaval tiitel" - multiple_grant: "määratud mitmeid kordi" - badge_count: - one: "1 märgis" - other: "%{count} märgist" - more_badges: - one: "+1 veel" - other: "+%{count} veel" - granted: - one: "1 lubatud" - other: "%{count} lubatud" - select_badge_for_title: Vali märgis, mida kasutada oma tiitlina - none: "-
- - tagging: - sort_by_name: "nimi" - topics: - bottom: - unread: "Lugemata teemasid rohkem ei ole" diff --git a/config/locales/client.fa_IR.yml b/config/locales/client.fa_IR.yml index 0fda1b2fd5..9ddb06aa75 100644 --- a/config/locales/client.fa_IR.yml +++ b/config/locales/client.fa_IR.yml @@ -207,8 +207,6 @@ fa_IR: undo: "برگردانی" revert: "برگشت" failed: "ناموفق" - switch_to_anon: "حالت ناشناس " - switch_from_anon: "از حالت ناشناس خارج شدن" banner: close: "این سردر را رد بده." edit: "این بنر را ویرایش کنید >>" @@ -387,7 +385,6 @@ fa_IR: disable: "غیرفعال کردن اعلانات" enable: "فعال کردن اعلانات" each_browser_note: "نکته: شما باید این تنظیمات را در هر مرورگری که استفاده میکنید تغییر دهید." - dismiss_notifications: "علامت گذاری همه به عنوان خوانده شده" dismiss_notifications_tooltip: "علامت گذاری همه اطلاعیه های خوانده نشده به عنوان خوانده شده" disable_jump_reply: "بعد از پاسخ من به پست من پرش نکن" dynamic_favicon: " تعداد موضوعات جدید یا بروز شده را روی آیکون مرورگر نمایش بده" @@ -403,9 +400,7 @@ fa_IR: suspended_reason: "دلیل: " github_profile: "Github" watched_categories: "تماشا شده" - watched_categories_instructions: "شما به صورت خودکار تمام نوشتههای این دسته را مشاهده خواهید کرد. به شما تمام عناوین و نوشتههای جدید اطلاع رسانی خواهد شد، و تعداد نوشتههای جدید هر عنوان در کنار آن نمایش داده میشود." tracked_categories: "پیگیری شده" - tracked_categories_instructions: "شما به صورت خودکار تمام عناوین جدید در این دسته را پیگیری خواهید کرد. تعداد نوشته های جدید در کنار عنواین نمایش داده میشود." muted_categories: "بی صدا شد" muted_categories_instructions: "شما از هیچ چیز مباحث جدید این دسته بندی ها آگاه نمیشوید, و آن ها در آخرین ها نمایش داده نمیشوند." delete_account: "حساب من را پاک کن" @@ -729,10 +724,6 @@ fa_IR: github: title: "با GitHub" message: "اعتبارسنجی با گیتهاب (مطمئن شوید که بازدارندههای pop up فعال نباشند)" - apple_international: "اپل / بین المللی" - google: "گوگل" - twitter: "تویتر" - emoji_one: "یک شکلک" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -749,7 +740,6 @@ fa_IR: saved_local_draft_tip: "ذخیره سازی به صورت محلی" similar_topics: "موضوع شما شبیه است به..." drafts_offline: "پیش نویس آنلاین" - group_mentioned: "با استفاده از {{group}}, شما اگاه میکنید {{count}} اشخاص." error: title_missing: "سرنویس الزامی است" title_too_short: "سرنویس دستکم باید {{min}} نویسه باشد" @@ -830,7 +820,6 @@ fa_IR: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} accepted your invitation
" moved_post: "{{username}} moved {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Earned '{{description}}'
" alt: mentioned: "اشاره شده توسط" @@ -1096,8 +1085,6 @@ fa_IR: no_banner_exists: "هیچ مبحث سرصفحه ای وجود ندارد." banner_exists: "یک مبحث سرصفحه ای هست در حال حاضر." inviting: "فراخوانی..." - automatically_add_to_groups_optional: "این دعوتنامه دارای دسترسی به این گروه ها است : (اختیاری٬ فقط ادمین)" - automatically_add_to_groups_required: "این دعوتنامه دارای دسترسی به این گروه ها است : (Required, admin only)" invite_private: title: 'دعوت به پیام خصوصی' email_or_username: "دعوتنامه ی ایمیل یا نام کاربر" @@ -1377,10 +1364,8 @@ fa_IR: notifications: watching: title: "در حال تماشا" - description: "شما به صورت خودکار تمامی مباحث تازه در این دسته بندی ها را نگاه میکنید. اگر ارسال تازه ای در هرکدام از مباحث فرستاده شد شما مطلع میشود, و همچنین تعدادی از پاسخ های تازه نیز نمایش داده میشوند." tracking: title: "پیگیری" - description: "شما به صورت خودکار تمامی مبحث های تازه در این دسته بندی ها را دنبال میکنید, و اگر کسی @اسم شما را بیاورد و یا به شما پاسخ دهد به شما اطلاع داده خواهد شد, و همچنین تعدادی از پاسخ های تازه نیز نمایش داده میشوند." regular: title: "معمولی" description: "در صورتی که فردی با @name به شما اشاره کند یا به شما پاسخی دهد به شما اطلاع داده خواهد شد." @@ -1418,7 +1403,6 @@ fa_IR: title: "چکیدهٔ موضوع" participants_title: "نویسندههای فعال" links_title: "لینکهای محبوب" - links_shown: "نمایش همه {{totalLinks}} پیوند ها..." clicks: other: "%{count} کلیک ها" topic_statuses: @@ -1448,10 +1432,10 @@ fa_IR: posts_long: "این موضوع {{number}} نوشته دارد" posts_likes_MF: | این موضوع است {count, plural, one {1 reply} other {# replies}} {ratio, select, - low {with a high like to post ratio} - med {with a very high like to post ratio} - high {with an extremely high like to post ratio} - other {}} + low {with a high like to post ratio} + med {with a very high like to post ratio} + high {with an extremely high like to post ratio} + other {}} original_post: "نوشته اصلی" views: "نمایشها" views_lowercase: @@ -2330,95 +2314,3 @@ fa_IR: label: "جدید:" add: "افزودن" filter: "جستجو (آدرس یا آدرس خارجی)" - lightbox: - download: "دریافت" - search_help: - title: 'کمک جستجو' - keyboard_shortcuts_help: - title: 'میانبرهای صفحه کلید' - jump_to: - title: 'بپر به' - home: 'g, h خانه' - latest: 'g, lآخرین' - new: 'g, n جدید' - unread: 'g, u خوانده نشده' - categories: 'g, c دسته بندی ها' - top: 'g, t بالا ترین' - bookmarks: 'g, h نشانکها' - profile: 'g, p پروفایل' - messages: 'g, m پیام ها' - navigation: - title: 'راهبری' - jump: '# رفتن به نوشته #' - back: 'برگشت' - up_down: 'k/j انتقال انتخاب شده ↑ ↓' - open: 'o or Enter باز کردن موضوع انتخاب شده' - next_prev: 'shift+j/shift+k بخش قبلی/بعدی' - application: - title: 'نرمافزار' - create: 'c ساختن یک موضوع جدید' - notifications: 'n باز کردن آگاهسازیها' - hamburger_menu: '= باز کردن منوی همبرگری' - user_profile_menu: 'p باز کردن منوی کاربران' - show_incoming_updated_topics: '. نمایش موضوعات بروز شده' - search: '/ جستجو' - help: '? باز کردن راهنمای کیبورد' - dismiss_new_posts: 'x, rبستن جدید/نوشته ها ' - dismiss_topics: 'x, t بستن موضوعات' - log_out: 'shift+z shift+z خروج' - actions: - title: 'اقدامات' - bookmark_topic: 'f تعویض نشانک موضوع' - pin_unpin_topic: 'shift+p سنجاق /لغو سنجاق موضوع' - share_topic: 'shift+s اشتراک گذاری نوشته' - share_post: 'به اشتراکگذاری نوشته' - reply_as_new_topic: 't پاسخگویی به عنوان یک موضوع لینک شده' - reply_topic: 'shift+r پاسخ به موضوع' - reply_post: 'r پاسخ به نوشته' - quote_post: 'نقلقول نوشته' - like: 'l پسندیدن نوشته' - flag: '! پرچمگذاری نوشته' - bookmark: 'b نشانکگذاری نوشته' - edit: 'e ویرایش نوشته' - delete: 'd پاک کردن نوشته' - mark_muted: 'm, m بی صدا کردن موضوع' - mark_regular: 'm, r تنظیم ( پیش فرض) موضوع' - mark_tracking: 'b>m, t پیگری جستار' - mark_watching: 'm, w مشاهده موضوع' - badges: - title: مدالها - badge_count: - other: "%{count} مدال" - more_badges: - other: "+%{count} بیشتر" - granted: - other: "%{count} اعطا شد" - select_badge_for_title: انتخاب یک مدال برای استفاده در عنوان خود - none: "- -
- - diff --git a/config/locales/client.fi.yml b/config/locales/client.fi.yml index b515f70571..a9ec080aa2 100644 --- a/config/locales/client.fi.yml +++ b/config/locales/client.fi.yml @@ -69,7 +69,7 @@ fi: almost_x_years: one: "1 v" other: "%{count} v" - date_month: "D. MMMM[ta]" + date_month: "D. MMM" date_year: "MMM -YY" medium: x_minutes: @@ -117,7 +117,9 @@ fi: private_topic: "teki ketjusta yksityisen %{when}" split_topic: "pilkkoi tämän ketjun %{when}" invited_user: "kutsui käyttäjän %{who} %{when}" + invited_group: "kutsui käyttäjän %{who} %{when}" removed_user: "poisti käyttäjän %{who} %{when}" + removed_group: "poisti käyttäjän %{who} %{when}" autoclosed: enabled: 'sulki %{when}' disabled: 'avasi %{when}' @@ -150,9 +152,11 @@ fi: eu_central_1: "EU (Frankfurt)" ap_southeast_1: "Aasia ja Tyynimeri (Singapore)" ap_southeast_2: "Aasia ja Tyynimeri (Sydney)" + ap_south_1: "Aasia ja Tyynimeri (Mumbai)" ap_northeast_1: "Aasia ja Tyynimeri (Tokio)" ap_northeast_2: "Aasia ja Tyynimeri (Soul)" sa_east_1: "Etelä-Amerikka (Sao Paulo)" + cn_north_1: "Kiina (Peking)" edit: 'muokkaa ketjun otsikkoa ja aluetta' not_implemented: "Tätä toimintoa ei ole vielä toteutettu, pahoittelut!" no_value: "Ei" @@ -244,7 +248,7 @@ fi: save: "Tallenna muutokset" saving: "Tallennetaan..." saved: "Tallennettu!" - upload: "Lähetä" + upload: "Liitä" uploading: "Lähettää..." uploading_filename: "Lähettää {{filename}}..." uploaded: "Lähetetty!" @@ -253,7 +257,7 @@ fi: undo: "Peru" revert: "Palauta" failed: "Epäonnistui" - switch_to_anon: "Anonyymi tila" + switch_to_anon: "Siirry anonyymitilaan" switch_from_anon: "Poistu anonyymitilasta" banner: close: "Sulje tämä banneri." @@ -280,7 +284,7 @@ fi: delete_prompt: "Haluatko todella poistaa käyttäjän %{username}? Kaikki hänen kirjoittamansa viestit poistetaan. Lisäksi hänen sähköposti- ja IP-osoitteillensa laitetaan esto." approval: title: "Viesti odottaa hyväksyntää" - description: "Olemme vastaanottaneet viestisi, mutta se täytyy vielä hyväksyä ennen, kuin se näytetään sivustolla. Ole kärsivällinen." + description: "Viestisi saapui perille, mutta valvojan on vielä hyväksyttävä se, jotta se näkyy sivustolla. Ole kärsivällinen." pending_posts: one: "Sinulla on 1 odottava viesti." other: "Sinulla on {{count}} odottavaa viestiä." @@ -330,6 +334,7 @@ fi: selector_placeholder: "Lisää jäseniä" owner: "omistaja" visible: "Ryhmä näkyy kaikille käyttäjille" + index: "Ryhmät" title: one: "ryhmä" other: "ryhmät" @@ -352,6 +357,9 @@ fi: watching: title: "Tarkkaillut" description: "Saat ilmoituksen uusista viesteistä jokaisessa viestiketjussa, ja uusien vastausten lukumäärä näytetään." + watching_first_post: + title: "Tarkkaillaan uusia ketjuja" + description: "Saat ilmoituksen vain ketjujen ensimmäisistä viesteistä tässä ryhmässä." tracking: title: "Seurannassa" description: "Saat ilmoituksen, jos joku mainitsee @nimesi tai vastaa sinulle, ja uusien vastausten lukumäärä näytetään." @@ -446,7 +454,7 @@ fi: disable: "Poista ilmoitukset käytöstä" enable: "Näytä ilmoituksia" each_browser_note: "Huom: Sinun täytyy vaihtaa tämä asetus kaikissa selaimista, joita käytät." - dismiss_notifications: "Merkitse kaikki luetuiksi" + dismiss_notifications: "Unohda kaikki" dismiss_notifications_tooltip: "Merkitse kaikki lukemattomat ilmoitukset luetuiksi" disable_jump_reply: "Älä siirry uuteen viestiini lähetettyäni sen" dynamic_favicon: "Näytä uusien / päivittyneiden ketjujen määrä selaimen ikonissa" @@ -465,18 +473,29 @@ fi: mailing_list_mode: label: "Postituslistatila" enabled: "Ota käyttöön postituslistatila" - instructions: |+ + instructions: | Asetus syrjäyttää koosteet tapahtumista.{{username}} {{description}}
" @@ -989,6 +1014,7 @@ fi: moved_post: "{{username}} siirsi {{description}}
" linked: "{{username}} {{description}}
" granted_badge: "Ansaitsit '{{description}}'
" + watching_first_post: "Uusi ketju {{description}}
" group_message_summary: one: "{{count}} viesti ryhmän {{group_name}} saapuneissa
" other: "{{count}} viestiä ryhmän {{group_name}} saapuneissa
" @@ -1155,7 +1181,7 @@ fi: options: "Ketjun asetukset" show_links: "näytä tämän ketjun linkit" toggle_information: "näytä/kätke ketjun tiedot" - read_more_in_category: "Haluatko lukea lisää? Selaile muita ketjuja alueella {{catLink}} tai katsella {{latestLink}}." + read_more_in_category: "Haluatko lukea lisää? Selaile muita alueen {{catLink}} ketjuja tai {{latestLink}}." read_more: "Haluatko lukea lisää? Selaa aluetta {{catLink}} tai katsele {{latestLink}}." read_more_MF: "Sinulla on { UNREAD, plural, =0 {} one { 1 ketju, jossa on viestejä } other { # ketjua, joissa on viestejä }} { NEW, plural, =0 {} one { {BOTH, select, true{ja } false { } other{}} 1 uusi ketju} other { {BOTH, select, true{ja } false { } other{}} # uutta ketjua} } lukematta. Tai {CATEGORY, select, true {selaile aluetta {catLink}} false {katsele {latestLink}.} other {}}" browse_all_categories: Selaa keskustelualueita @@ -1181,6 +1207,8 @@ fi: go_bottom: "loppuun" go: "siirry" jump_bottom: "hyppää viimeisimpään viestiin" + jump_prompt: "hyppää viestiin" + jump_prompt_long: "Mihin viestiin haluat siirtyä?" jump_bottom_with_number: "hyppää viestiin %{post_number}" total: yhteensä viestejä current: tämänhetkinen viesti @@ -1189,6 +1217,7 @@ fi: title: muuta sitä, kuinka usein saat muistutuksia tästä ketjusta reasons: mailing_list_mode: "Olet postituslistatilassa, joten saat sähköpostia tähän ketjuun lähetyistä vastauksista." + '3_10': 'Saat ilmoituksia, koska tarkkailet tähän ketjuun liittyvää tunnistetta.' '3_6': 'Saat ilmoituksia, koska olet asettanut tämän alueen tarkkailuun.' '3_5': 'Saat ilmoituksia, koska ketju on asetettu tarkkailuun automaattisesti.' '3_2': 'Saat ilmoituksia, koska olet asettanut ketjun tarkkailuun.' @@ -1197,7 +1226,7 @@ fi: '2_8': 'Saat ilmoituksia, koska olet asettanut tämän alueen seurantaan.' '2_4': 'Saat ilmoituksia, koska olet kirjoittanut ketjuun.' '2_2': 'Saat ilmoituksia, koska olet asettanut ketjun seurantaan.' - '2': 'Saat ilmoituksia, koska luet tätä ketjua.' + '2': 'Saat ilmoituksia, koska luit ketjua aiemmin.' '1_2': 'Saat ilmoituksen jos joku mainitsee @nimesi tai vastaa sinulle.' '1': 'Saat ilmoituksen jos joku mainitsee @nimesi tai vastaa sinulle.' '0_7': 'Et saa mitään ilmoituksia tältä alueelta.' @@ -1296,6 +1325,7 @@ fi: email_or_username_placeholder: "sähköpostiosoite tai käyttäjänimi" action: "Kutsu" success: "Käyttäjä on kutsuttu osallistumaan tähän yksityiseen keskusteluun." + success_group: "Ryhmä on kutsuttu osallistumaan tähän yksityiseen keskusteluun." error: "Pahoittelut, kutsuttaessa tapahtui virhe." group_name: "ryhmän nimi" controls: "Ketjun hallinta" @@ -1335,6 +1365,10 @@ fi: instructions: one: "Valitse ketju, johon haluat siirtää viestin." other: "Valitse ketju, johon haluat siirtää{{count}} viestiä." + merge_posts: + title: "Yhdistä valitut viestit" + action: "yhdistä valitut viestit" + error: "Valittuja viestejä yhdistettäessä tapahtui virhe." change_owner: title: "Vaihda viestin omistajaa" action: "muokkaa omistajuutta" @@ -1369,7 +1403,7 @@ fi: edit: "Muokataan {{link}} {{replyAvatar}} {{username}}" edit_reason: "Syy:" post_number: "viesti {{number}}" - last_edited_on: "viestin viimeinen muokkausaika" + last_edited_on: "viestin viimeisin muokkausaika" reply_as_new_topic: "Vastaa aihetta sivuavassa ketjussa" continue_discussion: "Jatkoa ketjulle {{postLink}}:" follow_quote: "siirry lainattuun viestiin" @@ -1383,7 +1417,7 @@ fi: one: "näytä 1 piilotettu vastaus" other: "näytä {{count}} piilotettua vastausta" more_links: "{{count}} lisää..." - unread: "Viesti on lukematon" + unread: "Viesti on lukematta" has_replies: one: "{{count}} vastaus" other: "{{count}} vastausta" @@ -1538,6 +1572,10 @@ fi: confirm: one: "Oletko varma, että haluat poistaa tämän viestin?" other: "Oletko varma, että haluat poistaa kaikki nämä viestit?" + merge: + confirm: + one: "Oletko varma, että haluat yhdistää viestit?" + other: "Oletko varma, että haluat yhdistää {{count}} viestiä?" revisions: controls: first: "Ensimmäinen revisio" @@ -1620,10 +1658,11 @@ fi: notifications: watching: title: "Tarkkaile" - description: "Tarkkailet automaattisesti kaikkia uusia ketjuja näillä alueilla. Saat ilmoituksen jokaisesta uudesta viestistä jokaisessa ketjussa ja uusien vastausten lukumäärä näytetään. " + watching_first_post: + title: "Tarkkaillaan uusia ketjuja" + description: "Saat ilmoituksen näille alueille luoduista ketjuista." tracking: title: "Seuraa" - description: "Seuraat automaattisesti kaikkia uusia ketjuja näillä alueilla. Saat ilmoituksen, jos joku mainitsee @nimesi tai vastaa sinulle ja uusien vastauksien lukumäärä näytetään." regular: title: "Tavallinen" description: "Saat ilmoituksen jos joku mainitsee @nimesi tai vastaa sinulle." @@ -1663,7 +1702,7 @@ fi: title: "Ketjun tiivistelmä" participants_title: "Useimmin kirjoittaneet" links_title: "Suositut linkit" - links_shown: "Näytä kaikki {{totalLinks}} linkkiä..." + links_shown: "näytä enemmän linkkejä..." clicks: one: "1 klikkaus" other: "%{count} klikkausta" @@ -1905,6 +1944,7 @@ fi: tagging: all_tags: "Kaikki tunnisteet" selector_all_tags: "kaikki tunnisteet" + selector_no_tags: "ei tunnisteita" changed: "muutetut tunnisteet" tags: "Tunnisteet" choose_for_topic: "valitse valinnaiset tunnisteet tälle ketjulle" @@ -1920,13 +1960,17 @@ fi: filters: without_category: "%{filter} %{tag} ketjut" with_category: "%{filter} %{tag} ketjut alueella %{category}" + untagged_without_category: "%{filter} ketjut joilla ei tunnisteita" + untagged_with_category: "%{filter} ketjut joilla ei tunnisteita alueella %{category}" notifications: watching: title: "Tarkkaile" - description: "Tämän tunnisteen ketjut asetetaan automaattisesti tarkkailuun. Saat ilmoituksen kaikista uusista viesteistä ja ketjuista ja uusien ja lukemattomien viestien lukumäärä näytetään ketjujen yhteydessä. " + description: "Ketjut, joilla on tämä tunniste, asetetaan automaattisesti tarkkailuun. Saat ilmoituksen kaikista uusista viesteistä ja ketjuista, ja uusien ja lukemattomien viestien lukumäärä näytetään ketjujen yhteydessä. " + watching_first_post: + title: "Tarkkaillaan uusia ketjuja" + description: "Saat ilmoituksen luoduista ketjuista, joilla on joku näistä tunnisteista." tracking: title: "Seuraa" - description: "Tämän tunnisteen ketjut asetetaan automaattisesti seurantaan. Uusien ja lukemattomien viestien lukumäärä näytetään ketjun yhteydessä." regular: title: "Tavallinen" description: "Saat ilmoituksen jos joku mainitsee @nimesi tai vastaa viestiisi." @@ -2098,7 +2142,7 @@ fi: refresh: "Lataa uudelleen" new: "Uusi" selector_placeholder: "syötä käyttäjätunnus" - name_placeholder: "Ryhmän nimi, ei välilyöntejä, samt säännöt kuin käyttäjänimillä" + name_placeholder: "Ryhmän nimi, ei välilyöntejä, samat säännöt kuin käyttäjänimillä" about: "Muokkaa ryhmien jäsenyyksiä ja nimiä täällä" group_members: "Ryhmään kuuluvat" delete: "Poista" @@ -2571,7 +2615,7 @@ fi: delete_posts_forbidden_because_staff: "Ylläpitäjien ja valvojien kaikkia viestejä ei voi poistaa." delete_forbidden: one: "Käyttäjiä ei voi poistaa jos heillä on kirjoitettuja viestejä. Poista ensin viestit ennen käyttäjätilin poistamista. (Vanhempia viestejä, kuin %{count} päivä ei voi poistaa)" - other: "Käyttäjiä ei voi poistaa jos heillä on kirjoitettuja viestejä. Poista ensin viestit ennen käyttäjätilin poistamista. (Vanhempia viestejä, kuin %{count} päivää ei voi poistaa)" + other: "Käyttäjää ei voi poistaa jos hänellä on kirjoitettuja viestejä. Poista viestit ennen käyttäjätilin poistamista. (Yli %{count} päivää vanhoja viestejä ei voi poistaa.)" cant_delete_all_posts: one: "Kaikkia viestejä ei voi poistaa. Jotkin viestit ovat enemmän kuin %{count} päivän vanhoja. (Asetus delete_user_max_post_age)" other: "Kaikkia viestejä ei voi poistaa. Jotkin viestit ovat enemmän kuin %{count} päivää vanhoja. (Asetus delete_user_max_post_age)" diff --git a/config/locales/client.fr.yml b/config/locales/client.fr.yml index 3506021879..ed5a40d47f 100644 --- a/config/locales/client.fr.yml +++ b/config/locales/client.fr.yml @@ -117,7 +117,9 @@ fr: private_topic: "rendre ce sujet privé %{when}" split_topic: "a scindé ce sujet %{when}" invited_user: "a invité %{who} %{when}" + invited_group: "a invité %{who} %{when}" removed_user: "a retiré %{who} %{when}" + removed_group: "a retiré %{who} %{when}" autoclosed: enabled: 'fermé %{when}' disabled: 'ouvert %{when}' @@ -200,8 +202,8 @@ fr: title: "Sujets similaires" pm_title: "Messages Proposés" about: - simple_title: "A propos" - title: "A propos de %{title}" + simple_title: "À propos" + title: "À propos de %{title}" stats: "Statistiques du site" our_admins: "Nos administrateurs" our_moderators: "Nos modérateurs" @@ -252,9 +254,8 @@ fr: disable: "Désactiver" undo: "Annuler" revert: "Rétablir" - failed: "Echec" - switch_to_anon: "Mode anonyme" - switch_from_anon: "Quitter le mode anonyme" + failed: "Échec" + switch_to_anon: "Quitter le mode anonyme" banner: close: "Ignorer cette bannière." edit: "Éditer cette bannière >>" @@ -330,6 +331,7 @@ fr: selector_placeholder: "Ajouter des membres" owner: "propriétaire" visible: "Ce groupe est visible par tous les utilisateurs" + index: "Groupes" title: one: "groupe" other: "groupes" @@ -352,6 +354,8 @@ fr: watching: title: "Surveiller" description: "Vous serez notifié de chaque nouvelle réponse dans chaque message, et le nombre de nouvelles réponses sera affiché." + watching_first_post: + description: "Vous serez uniquement notifié du premier message de chaque sujet de ce groupe" tracking: title: "Suivre" description: "Vous serez notifié si quelqu'un mentionne votre @pseudo ou vous répond, et le nombre de nouvelles réponses sera affiché." @@ -370,7 +374,7 @@ fr: '6': "Réponses" '7': "Mentions" '9': "Citations" - '11': "Editions" + '11': "Éditions" '12': "Eléments envoyés" '13': "Boîte de réception" '14': "En attente" @@ -446,7 +450,6 @@ fr: disable: "Désactiver les notifications" enable: "Activer les notifications" each_browser_note: "Note : Vous devez changer ce paramètre sur chaque navigateur que vous utilisez." - dismiss_notifications: "Marquer tout comme lu" dismiss_notifications_tooltip: "Marquer comme lues toutes les notifications non lues" disable_jump_reply: "Ne pas se déplacer à mon nouveau message après avoir répondu" dynamic_favicon: "Faire apparaître le nombre de sujets récemment créés ou mis à jour sur l'icône navigateur" @@ -470,12 +473,9 @@ fr: Les sujets et catégories passés en silencieux ne sont pas cités dans ces courriels. daily: "Envoyer des informations quotidiennes" individual: "Envoyer un courriel pour chaque nouveau message." - many_per_day: "M'en voyer un courriel pour chaque nouveau message (environ {{dailyEmailEstimate}} par jour)." - few_per_day: "M'envoyer un courriel pour chaque nouveau sujet (moins de 2 par jour)." + tag_settings: "Tags" watched_categories: "Surveillés" - watched_categories_instructions: "Vous surveillerez automatiquement les nouveaux sujets de ces catégories. Vous serez averti de tous les nouveaux messages et sujets. De plus, le nombre de messages non lus apparaîtra en regard de la liste des sujets." tracked_categories: "Suivies" - tracked_categories_instructions: "Vous allez suivre automatiquement tous les nouveaux sujets dans ces catégories. Le nombre de nouveaux messages apparaîtra à côté du sujet." muted_categories: "Désactivés" muted_categories_instructions: "Vous ne serez notifié de rien concernant les nouveaux sujets dans ces catégories, et elles n'apparaîtront pas dans les dernières catégories." delete_account: "Supprimer mon compte" @@ -517,7 +517,6 @@ fr: error: "Il y avait une erreur lors de la modification de cette valeur." change_username: title: "Modifier le pseudo" - confirm: "Si vous modifiez votre pseudo, toutes les citations de vos messages et toutes les mentions de votre @pseudo seront invalides, et votre historique sera interrompu. Etes-vous vraiment sûr de vouloir continuer ?" taken: "Désolé, ce pseudo est déjà pris." error: "Il y a eu une erreur lors du changement de votre pseudo." invalid: "Ce pseudo est invalide. Il ne doit être composé que de lettres et de chiffres." @@ -601,7 +600,6 @@ fr: always: "toujours" never: "jamais" email_digests: - title: "Lorsque je ne visite pas le site, m'envoyer un résumé des sujets tendances et les \"répondre à\" me concernant à :" every_30_minutes: "toutes les 30 minutes" every_hour: "toutes les heures" daily: "quotidien" @@ -876,10 +874,6 @@ fr: github: title: "via GitHub" message: "Authentification via GitHub (assurez-vous que les popups ne soient pas bloquées)" - apple_international: "Apple/International" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -941,6 +935,7 @@ fr: quote_text: "Citation" code_title: "Texte préformaté" code_text: "texte préformaté indenté par 4 espaces" + paste_code_text: "saisir ou coller le code ici" upload_title: "Envois de fichier" upload_description: "saisir ici la description de votre fichier" olist_title: "Liste numérotée" @@ -1154,7 +1149,7 @@ fr: show_links: "afficher les liens dans ce sujet" toggle_information: "afficher les détails de ce sujet" read_more_in_category: "Vous voulez en lire plus ? Afficher d'autres sujets dans {{catLink}} ou {{latestLink}}." - read_more: "Vous voulez en lire plus? {{catLink}} or {{latestLink}}." + read_more: "Vous voulez en lire plus ? {{catLink}} or {{latestLink}}." read_more_MF: "Il y { UNREAD, plural, =0 {} one { a 1 sujet non lu } other { a # sujets non lus } } { NEW, plural, =0 {} one { {BOTH, select, true{et } false {a } other{}} 1 nouveau sujet} other { {BOTH, select, true{et } false {a } other{}} # nouveaux sujets} } restant, ou {CATEGORY, select, true {consulter les autres sujets dans {catLink}} false {{latestLink}} other {}}" browse_all_categories: Voir toutes les catégories view_latest_topics: voir les derniers sujets @@ -1294,6 +1289,7 @@ fr: email_or_username_placeholder: "adresse de courriel ou @pseudo" action: "Inviter" success: "Nous avons invité cet utilisateur à participer à cette discussion." + success_group: "Nous avons invité ce groupe à participer à cette discussion." error: "Désolé, il y a eu une erreur lors de l'invitation de cet utilisateur." group_name: "nom du groupe" controls: "Actions sur le sujet" @@ -1618,10 +1614,8 @@ fr: notifications: watching: title: "S'abonner" - description: "Vous surveillerez automatiquement tous les nouveaux sujets dans ces catégories. Vous serez averti pour tout nouveau message dans chaque sujet, et le nombre de nouvelles réponses sera affiché." tracking: title: "Suivi" - description: "Vous surveillerez automatiquement tous les nouveaux sujets dans ces catégories. Vous serez averti si quelqu'un mentionne votre @pseudo ou vous répond, et le nombre de nouvelles réponses sera affiché." regular: title: "Normal" description: "Vous serez notifié si quelqu'un mentionne votre @pseudo ou vous répond." @@ -1661,7 +1655,6 @@ fr: title: "Résumé du sujet" participants_title: "Auteurs fréquents" links_title: "Liens populaires" - links_shown: "montrer les {{totalLinks}} liens..." clicks: one: "1 clic" other: "%{count} clics" @@ -1736,7 +1729,7 @@ fr: help: "sujets avec des messages récents" hot: title: "Populaires" - help: "un selection de sujets populaires" + help: "une sélection de sujets populaires" read: title: "Lus" help: "sujets que vous avez lus, dans l'ordre de dernière lecture" @@ -1865,7 +1858,7 @@ fr: one: "A reçu ce badge 1 fois" other: "A reçu ce badge %{count} fois" granted_on: "Accordé le %{date}" - others_count: "Autres yant ce badge (%{count})" + others_count: "Autres utilisateurs avec ce badge (%{count})" title: Badges allow_title: "titre disponible" multiple_grant: "donné plusieurs fois" @@ -1894,11 +1887,11 @@ fr: google_search: |-
+ tagging: all_tags: "Tous les tags" @@ -1921,10 +1914,13 @@ fr: notifications: watching: title: "Abonné" - description: "Vous serez automatiquement abonné à l'ensemble des nouvaux sujets avec ce tag. Vous serez notifié des nouveaux sujets et messages, et le compteur des sujets non-lus apparaîtra à coté des sujets." tracking: title: "Suivi" + regular: + title: "Habitué" + description: "Vous serez notifié si un utilisateur mentionne votre @pseudo ou réponds à votre message." muted: + title: "Silencieux" description: "Vous ne recevrez aucune notification sur des nouveaux sujets dans ce tag, et ils n'apparaitront pas sur mon onglet non-lus." groups: about: "Ajout des tags aux groupes pour les gérer plus facilement." @@ -1932,6 +1928,8 @@ fr: tags_label: "Tags dans ce groupe :" parent_tag_label: "Tag parent :" parent_tag_placeholder: "Facultatif" + save: "Sauvegarder" + delete: "Supprimer" topics: none: unread: "Vous n'avez aucun sujet non lu." @@ -1939,8 +1937,24 @@ fr: read: "Vous n'avez lu aucun sujet pour le moment." posted: "Vous n'avez écrit aucun message pour le moment." latest: "Il n'y a pas de sujets récents." + hot: "Il n'y a pas de sujets populaires." + bookmarks: "Vous n'avez pas encore ajouté de sujet à vos signets" + top: "Il n'y a pas de meilleurs sujets." + search: "Il n'y a pas de résultats de recherche." + bottom: + latest: "Il n'y a plus de sujets récents." + hot: "Il n'y a plus de sujets populaires." + posted: "Il n'y a plus de sujets publiés." + read: "Il n'y a plus de sujets lus." + new: "Il n'y a plus de nouveaux sujets." + unread: "Il n'y a plus de sujets non lus." + top: "Il n'y a plus de meilleurs sujets." + bookmarks: "Il n'y a plus de sujets dans vos signets." + search: "Il n'y a plus de résultats de recherche." invite: custom_message: "Rendez votre invitation plus personnelle en écrivant un" + custom_message_link: "message personnalisé" + custom_message_placeholder: "Entrez votre message personnalisé" admin_js: type_to_filter: "Commencez à taper pour filtrer..." admin: diff --git a/config/locales/client.gl.yml b/config/locales/client.gl.yml index ccd29ab728..d0034dfd31 100644 --- a/config/locales/client.gl.yml +++ b/config/locales/client.gl.yml @@ -247,8 +247,6 @@ gl: undo: "Desfacer" revert: "Reverter" failed: "Fallou" - switch_to_anon: "Modo anónimo" - switch_from_anon: "Saír do Modo anónimo" banner: close: "Desbotar este báner." edit: "Editar este báner »" @@ -438,7 +436,6 @@ gl: disable: "Desactivar as notificacións" enable: "Activar as notificacións" each_browser_note: "Nota: Tes que cambiar este axuste en cadanseu navegador que utilices." - dismiss_notifications: "Marcar todas como lidas" dismiss_notifications_tooltip: "Marcar todas notificacións sen ler como lidas" disable_jump_reply: "Non saltar á miña publicación despois de que responda" dynamic_favicon: "Amosar o número de temas novos / actualizados na icona do navegador" @@ -454,9 +451,7 @@ gl: suspended_reason: "Razón:" github_profile: "Github" watched_categories: "Visto" - watched_categories_instructions: "Verás automaticamente todos os temas novos nestas categorías. Notificaránseche todas as novas publicacións e temas, e o número de novas publicacións aparecerá tamén preto do tema." tracked_categories: "Seguido" - tracked_categories_instructions: "Seguirás automaticamente todos os temas novos nestas categorías. Un número de novas publicacións aparecerá preto do tema." muted_categories: "Silenciado" muted_categories_instructions: "Non se che notificará nada sobre os temas novos nestas categorías e non aparecerán na lista de últimos." delete_account: "Eliminar a miña conta" @@ -815,10 +810,6 @@ gl: github: title: "co GitHub" message: "Autenticación mediante Github (asegúrate de ter desactivado o bloqueador de xanelas emerxentes)" - apple_international: "Apple/Internacional" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Maiús.' ctrl: 'Ctrl' @@ -836,7 +827,6 @@ gl: saved_local_draft_tip: "gardado localmente" similar_topics: "O teu tema é semellante a..." drafts_offline: "borradores sen conexión" - group_mentioned: "Usando {{group}}, vas enviar a notificación a {{count}} persoas." error: title_missing: "O título é obrigatorio" title_too_short: "O título debe ter alomenos {{min}} caracteres" @@ -922,7 +912,6 @@ gl: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} aceptou o teu convite
" moved_post: "{{username}} moveu {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Obtiveches «{{description}}»
" group_message_summary: one: "{{count}} mensaxe na caixa do correo de {{group_name}}
" @@ -1211,8 +1200,6 @@ gl: no_banner_exists: "Non hai tema para o báner." banner_exists: "Hai actualmente un tema para o báner." inviting: "Convidando..." - automatically_add_to_groups_optional: "Este convite tamén inclúe o acceso a estes grupos: (opcional, só administradores)" - automatically_add_to_groups_required: "Este convite tamén inclúe o acceso a estes grupos: (Obrigatorio, só administradores)" invite_private: title: 'Convidar á mensaxe' email_or_username: "Nome do usuario ou correo-e do convidado" @@ -1534,10 +1521,8 @@ gl: notifications: watching: title: "Ver" - description: "Verás automaticamente todos os novos temas destas categorías. Notificaránseche as novas publicacións de cada tema e amosaráseche o número de novas respostas." tracking: title: "Seguimento" - description: "Seguirás automaticamente todos os novos temas destas categorías. Notificaránseche ás mencións ao teu @name e as respostas que recibas, e amosaráseche o número de novas respostas." regular: title: "Normal" description: "Notificarémosche se alguén menciona o teu @nome ou che responde." @@ -1576,7 +1561,6 @@ gl: title: "Resumo do tema" participants_title: "Publicadores frecuentes" links_title: "Ligazóns populares" - links_shown: "amosar as {{totalLinks}} ligazóns..." clicks: one: "Un clic" other: "%{count} clics" @@ -1607,10 +1591,10 @@ gl: posts_long: "hai {{number}} publicacións neste tema" posts_likes_MF: | Este tema ten {count, plural, one {1 resposta} other {# respostas}} {ratio, select, - low {cun alto índice de gústames} - med {cun moi alto índice de gústames} - high {cun extremadamente alto índice de gústames} - other {}} + low {cun alto índice de gústames} + med {cun moi alto índice de gústames} + high {cun extremadamente alto índice de gústames} + other {}} original_post: "Publicación orixinal" views: "Vistas" views_lowercase: @@ -2547,94 +2531,3 @@ gl: label: "Novo:" add: "Engadir" filter: "Buscar (URLou URL externa)" - lightbox: - download: "descargar" - search_help: - title: 'Buscar axuda' - keyboard_shortcuts_help: - title: 'Atallos do teclado' - jump_to: - title: 'Ir a' - home: 'g, h Inicio' - latest: 'g, l Último' - new: 'g, n Novo' - unread: 'g, u Sen ler' - categories: 'g, c Categorías' - top: 'g, t Arriba' - bookmarks: 'g, b Marcadores' - profile: 'g, p Perfil' - messages: 'g, m Mensaxes' - navigation: - title: 'Navegación' - jump: '# Ir á publicación #' - back: 'u Volver' - up_down: 'k/j Mover selección ↑ ↓' - open: 'o ou Intro Abrir tema seleccionado' - next_prev: 'maiús.+j/maiús.+k Sección Seguinte/Anterior' - application: - title: 'Aplicativo' - create: 'c Crear un novo tema' - notifications: 'n Abrir notificacións' - hamburger_menu: '= Abrir o menú hamburguesa' - user_profile_menu: 'p Abrir o menú do usuario' - show_incoming_updated_topics: '. Amosar temas actualizados' - search: '/ Buscar' - help: '? Abrir a axuda do teclado' - dismiss_new_posts: 'x, r Desbotar Novas/Publicacións' - dismiss_topics: 'x, t Desbotar temas' - log_out: 'maiús.+z maiús.+z Saír da sesión' - actions: - title: 'Accións' - bookmark_topic: 'f Cambiar marcar tema' - pin_unpin_topic: 'Maiús+p Pegar/Despegar tema' - share_topic: 'maiús.+s Compartir tema' - share_post: 's Compartir publicación' - reply_as_new_topic: 't Responder como tema ligado' - reply_topic: 'maiús.+r Responder o tema' - reply_post: 'r Responder a publicación' - quote_post: 'q Citar publicación' - like: 'l Gústame a publicación' - flag: '! Denunciar publicación' - bookmark: 'b Marcar publicación' - edit: 'e Editar publicación' - delete: 'd Eliminar publicación' - mark_muted: 'm, m Silenciar tema' - mark_regular: 'm, r Tema normal (predeterminado)' - mark_tracking: 'm, t Seguir tema' - mark_watching: 'm, w Ver tema' - badges: - earned_n_times: - one: "Conseguiu esta insignia unha vez" - other: "Conseguiu esta insignia %{count} veces" - title: Insignias - badge_count: - one: "1 insignia" - other: "%{count} insignias" - more_badges: - one: "1 máis" - other: "%{count} máis" - granted: - one: "1 concedido" - other: "%{count} concedidos" - select_badge_for_title: Selecciona insignia para usar como o teu título - none: "-
- diff --git a/config/locales/client.he.yml b/config/locales/client.he.yml index 1cec42b9a7..862295fa5f 100644 --- a/config/locales/client.he.yml +++ b/config/locales/client.he.yml @@ -27,6 +27,7 @@ he: millions: "{{number}}M" dates: time: "h:mm a" + timeline_date: "MMM YYYY" long_no_year: "MMM D h:mm a" long_no_year_no_time: "MMM D" full_no_year_no_time: "MMMM Do" @@ -38,6 +39,7 @@ he: long_date_with_year_without_time: "MMM D, 'YY" long_date_without_year_with_linebreak: "MMM D{{username}} {{description}}
" @@ -849,7 +966,6 @@ he: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} אישר/ה את הזמנתך
" moved_post: "{{username}} הזיז/ה {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "הרוויח/ה '{{description}}'
" alt: mentioned: "הוזכר על ידי" @@ -867,6 +983,7 @@ he: granted_badge: "תג הוענק" popup: mentioned: '{{username}} הזכיר אותך ב{{topic}}" - {{site_title}}"' + group_mentioned: '{{username}} הזכיר אתכם ב "{{topic}}" - {{site_title}}' quoted: '{{username}} ציטט אותך ב"{{topic}}" - {{site_title}}' replied: '{{username}} הגיב לך ב"{{topic}}" - {{site_title}}' posted: '{{username}} הגיב ב"{{topic}}" - {{site_title}}' @@ -904,6 +1021,7 @@ he: post_format: "#{{post_number}} מאת {{username}}" context: user: "חיפוש פרסומים לפי @{{username}}" + category: "חפשו את הקטגוריה #{{category}}" topic: "חפשו בפוסט זה" private_messages: "חיפוש הודעות" hamburger_menu: "עבור לרשימת פוסטים אחרת או קטגוריה" @@ -920,6 +1038,7 @@ he: dismiss_read: "Dismiss all unread" dismiss_button: "ביטול..." dismiss_tooltip: "ביטול הצגת פוסטים חדשים או מעקב אחר נושאים" + also_dismiss_topics: "הפסיקו לעקוב אחרי נושאים אלו כדי שהם לא יופיעו שוב בתור לא-נקראו" dismiss_new: "שחרור חדשים" toggle: "החלף קבוצה מסומנת של פוסטים" actions: "מקבץ פעולות" @@ -931,6 +1050,9 @@ he: selected: one: "בחרת נושא אחד." other: "בחרת {{count}} נושאים." + change_tags: "שנו תגיות" + choose_new_tags: "בחרו בתגיות חדשות עבור נושאים אלו:" + changed_tags: "התגיות של נושאים אלו השתנו." none: unread: "אין לך נושאים שלא נקראו." new: "אין לך נושאים חדשים." @@ -961,6 +1083,12 @@ he: create: 'פוסט חדש' create_long: 'יצירת פוסט חדש' private_message: 'תחילת הודעה' + archive_message: + help: 'העברת הודעה לארכיון' + title: 'ארכב' + move_to_inbox: + title: 'העברה לדואר נכנס' + help: 'החזרת הודעה לדואר נכנס' list: 'פוסטים' new: 'פוסט חדש' unread: 'לא נקרא/ו' @@ -1002,7 +1130,7 @@ he: read_more_MF: "There { UNREAD, plural, =0 {} one { is 1 unread } other { are # unread } } { NEW, plural, =0 {} one { {BOTH, select, true{and } false {is } other{}} 1 new topic} other { {BOTH, select, true{and } false {are } other{}} # new topics} } remaining, or {CATEGORY, select, true {browse other topics in {catLink}} false {{latestLink}} other {}}" browse_all_categories: עיין בכל הקטגוריות view_latest_topics: הצגת פוסטים מדוברים - suggest_create_topic: לחץ כאן כדי ליצור פוסט חדש. + suggest_create_topic: לחצו כאן כדי ליצור פוסט חדש. jump_reply_up: קפיצה לתגובה קודמת jump_reply_down: קפיצה לתגובה מאוחרת deleted: "הפוסט הזה נמחק" @@ -1011,17 +1139,24 @@ he: auto_close_title: 'הגדרות נעילה אוטומטית' auto_close_save: "שמור" auto_close_remove: "אל תנעל פוסט זה אוטומטית" + timeline: + back: "חזרה" + back_description: "חיזרו לפוסט האחרון שלא-נקרא על-ידיכם" + replies_short: "%{current} / %{total}" progress: title: התקדמות פוסט go_top: "למעלה" go_bottom: "למטה" go: "קדימה" jump_bottom: "עבור להודעה האחרונה" + jump_prompt: "קפיצה לפוסט" + jump_prompt_long: "לאיזה פוסט הייתם רוצים לקפוץ?" jump_bottom_with_number: "קפיצה להודעה %{post_number}" total: סך הכל הודעות current: הודעה נוכחית position: "הודעה %{current} מתוך %{total}" notifications: + title: שנו את תדירות ההתראות על הנושא הזה reasons: '3_6': 'תקבלו התראות כיוון שאת/ה עוקב אחרי קטגוריה זו.' '3_5': 'תקבל/י התראות כיוון שהתחלת לעקוב אחרי הפוסט הזה אוטומטית.' @@ -1074,6 +1209,8 @@ he: invisible: "הסתרה" visible: "גילוי" reset_read: "אפס מידע שנקרא" + make_public: "הפיכת הנושא לפומבי" + make_private: "הפיכה להודעה פרטית" feature: pin: "נעיצת פוסט" unpin: "שחרור נעיצת פוסט" @@ -1109,15 +1246,16 @@ he: make_banner: "הפכו פוסט זה לבאנר אשר מופיע בראש כל העמודים." remove_banner: "הסרת הבאנר שמופיע בראש כל העמודים." banner_note: "משתמשים יכולים לבטל את הבאנר על ידי סגירתו. רק פוסט אחד יכול לשמש כבאנר בזמן נתון." + no_banner_exists: "אין נושא באנר" inviting: "מזמין..." - automatically_add_to_groups_optional: "הזמנה זו כוללת גישה לקבוצות הללו: (אופציונלי, רק מנהל/ת)" - automatically_add_to_groups_required: "הזמנה זו כוללת גישה לקבוצות הללו: (חובה, רק מנהל/ת)" + automatically_add_to_groups: "הזמנה זו כוללת גם גישה לקבוצות הבאות:" invite_private: title: 'הזמן להודעה' email_or_username: "כתובת דואר אלקטרוני או שם משתמש של המוזמן" email_or_username_placeholder: "כתובת דואר אלקטרוני או שם משתמש" action: "הזמנה" success: "הזמנו את המשתמש להשתתף בשיחה." + success_group: "הזמנו את הקבוצה הזו להשתתף בהודעה זו." error: "סליחה, הייתה שגיאה בהזמנת משתמש זה." group_name: "שם הקבוצה" invite_reply: @@ -1156,6 +1294,10 @@ he: instructions: one: "בבקשה בחר נושא אליו הייתי רוצה להעביר את ההודעה" other: "בבקשה בחר את הפוסט אליו תרצה להעביר את {{count}} ההודעות." + merge_posts: + title: "ניזוג פוסטים שנבחרו" + action: "מיזוג פוסטים שנבחרו" + error: "ארעה שגיאה במיזוג הפוסטים שנבחרו." change_owner: title: "שנה בעלים של הודעות" action: "שנה בעלות" @@ -1220,6 +1362,7 @@ he: edit: "סליחה, הייתה שגיאה בעריכת ההודעה שלך. אנא נסה שנית." upload: "סליחה, הייתה שגיאה בהעלאת הקובץ שלך. אנא נסה שנית" too_many_uploads: "סליחה, אך ניתן להעלות רק קובץ אחת כל פעם." + too_many_dragged_and_dropped_files: "מצטערים, אתם יכולים להעלות עד 10 קבצים בו זמנית." upload_not_authorized: "סליחה, אך סוג הקובץ שאתה מנסה להעלות אינו מורשה (סיומות מורשות: {{authorized_extensions}})." image_upload_not_allowed_for_new_user: "סליחה, משתמשים חדשים לא יכולים להעלות תמונות." attachment_upload_not_allowed_for_new_user: "סליחה, משתמשים חדשים לא יכולים להעלות קבצים." @@ -1229,7 +1372,10 @@ he: no_value: "לא, שמור אותה" yes_value: "כן, נטוש" via_email: "פרסום זה הגיע באמצעות דוא\"ל" + via_auto_generated_email: "פוסט זה הגיע דרך מייל שנוצר אוטומטית" whisper: "פרסום זה הוא לחישה פרטית לצוות האתר" + wiki: + about: "פוסט זה הוא ויקי" archetypes: save: 'שמור אפשרויות' controls: @@ -1278,6 +1424,15 @@ he: bookmark: "בטל העדפה" like: "בטל לייק" vote: "בטל הצבעה" + people: + off_topic: "סומן כלא קשור לנושא השיחה" + spam: "סומן כספאם" + inappropriate: "סומן כלא ראוי" + notify_moderators: "דווח לעורכים" + notify_user: "נשלחה הודעה" + bookmark: "סומן" + like: "אהבו את זה" + vote: "הצביעו לזה" by_you: off_topic: "סמנת פרסום זה כמחוץ לנושא הפוסט" spam: "סמנת את זה כספאם" @@ -1349,6 +1504,7 @@ he: last: "מהדורה אחרונה" hide: "הסתרת שינויים" show: "הצגת שינויים" + revert: "חזרה לגרסה זו" comparing_previous_to_current_out_of_total: "{{קודם}} {{נוכחי}} / {כוללl}}" displays: inline: @@ -1371,6 +1527,9 @@ he: general: 'כללי' settings: 'הגדרות' topic_template: "תבנית פוסט" + tags: "תגיות" + tags_allowed_tags: "תגיות שניתנות לשימוש בקטגוריה זו בלבד:" + tags_allowed_tag_groups: "קבוצות תגים שניתנות לשימוש בקטגוריה זו:" delete: 'מחק קטגוריה' create: 'קטגוריה חדשה' create_long: 'צור קטגוריה חדשה' @@ -1417,10 +1576,10 @@ he: notifications: watching: title: "עוקב" - description: "אתה תצפה באופן אוטומטי בכל הנושאים החדשים בקטגוריות אלה. תקבל התראות על כל הודעה חדשה בכל נושא, ומונה תגובות חדשות יופיע." + watching_first_post: + title: "צפייה בהודעה ראשונה" tracking: title: "רגיל+" - description: "אתה תעקוב באופן אוטומטי בכל הנושאים החדשים בקטגוריות אלה. תקבל התראות אם מישהו ציין את @שמך או מגיב לך, ומונה תגובות חדשות יופיע." regular: title: "נורמלי" description: "תקבלו התראה אם מישהו יזכיר את @שם_המשתמש/ת שלך או ישיב לפרסום שלך." @@ -1432,6 +1591,7 @@ he: action: 'סימון פרסום' take_action: "בצע פעולה" notify_action: 'הודעה' + official_warning: 'אזהרה רשמית' delete_spammer: "מחק ספאמר" delete_confirm: "אתה עומד למחוק %{posts} הודעות ו-%{topics} פוסטים של המשתמש הזה, להסיר את החשבון שלהם, לחסור הרשמה מכתובת ה-IP שלהם %{ip_address}, ולהוסיף את כתובת הדואר האלקטרוני %{email} לרשימה שחורה. אתה בטוח שזה באמת ספאמר?" yes_delete_spammer: "כן, מחק ספאמר" @@ -1440,6 +1600,7 @@ he: submit_tooltip: "שידור הסימון כ \"פרטי\"" take_action_tooltip: "הגעה באופן מיידי למספר הסימונים האפשרי, במקום להמתין לסימונים נוספים מן הקהילה" cant: "סליחה, לא ניתן לסמן הודעה זו כרגע." + notify_staff: 'הודעה לצוות באופן פרטי' formatted_name: off_topic: "מחוץ לנושא הפוסט" inappropriate: "לא ראוי" @@ -1458,10 +1619,14 @@ he: title: "סיכום פוסט" participants_title: "מפרסמים מתמידים" links_title: "לינקים פופלארים" - links_shown: "הצג את כל הקישורים {{totalLinks}}..." + links_shown: "הצגת קישורים נוספים..." clicks: one: "לחיצה אחת" other: "%{count} לחיצות" + post_links: + title: + one: "עוד 1" + other: "עוד %{count}" topic_statuses: warning: help: "זוהי אזהרה רשמית." @@ -1478,6 +1643,7 @@ he: help: "פוסט זה אינו מקובע עבורך; הוא יופיע בסדר הרגיל" pinned_globally: title: "נעוץ גלובאלית" + help: "הנושא הזה נעוץ בכל האתר; הוא יוצג בראש הקטגוריה שלו כחדש ביותר" pinned: title: "נעוץ" help: "פוסט זה מקובע עבורך, הוא יופיע בראש הקטגוריה" @@ -1521,6 +1687,9 @@ he: with_category: "%{filter} %{category} פוסטים" latest: title: "פורסמו לאחרונה" + title_with_count: + one: "האחרון (1)" + other: "({{count}}) פורסמו לאחרונה" help: "פוסטים עם תגובות לאחרונה" hot: title: "חם" @@ -1536,8 +1705,18 @@ he: title_in: "קטגוריה - {{categoryName}}" help: "כל הפוסטים תחת הקטגוריה הזו" unread: + title: "לא נקרא" + title_with_count: + one: "לא נקרא(1)" + other: "לא נקראו ({{count}})" help: "פוסטים שאתם כרגע צופים או עוקבים אחריהם עם פרסומים שלא נקראו" + lower_title_with_count: + one: "לא נקרא (1)" + other: "לא נקראו {{count}} " new: + lower_title_with_count: + one: "חדש (1)" + other: "{{count}} חדשים" lower_title: "חדש" title: "חדש" title_with_count: @@ -1552,6 +1731,9 @@ he: help: "פוסטים עבורם יצרת סימניות" category: title: "{{categoryName}}" + title_with_count: + one: "{{categoryName}} (1)" + other: "{{categoryName}} ({{count}})" help: "פוסטים מדוברים בקטגוריה {{categoryName}}" top: title: "מובילים" @@ -1570,7 +1752,7 @@ he: title: "יומי" all_time: "כל הזמנים" this_year: "שנה" - this_quarter: "רבע" + this_quarter: "רבעוני" this_month: "חודש" this_week: "שבוע" today: "היום" @@ -1580,6 +1762,98 @@ he: full: "צרו / תגובה/ צפייה" create_post: "תגובה / צפייה" readonly: "צפה" + lightbox: + download: "הורדה" + search_help: + title: 'חיפוש בעזרה' + keyboard_shortcuts_help: + title: 'קיצורי מקלדת' + jump_to: + title: 'קפצו אל' + navigation: + title: 'ניווט' + jump: '# מעבר לפוסט #' + back: 'u חזרה' + application: + title: 'אפליקציה' + create: 'c יצירת נושא חדש' + notifications: 'n פתיחת התראות' + hamburger_menu: '= פתיחת תפריט המבורגר' + user_profile_menu: 'p פתיחת תפריט משתמש' + show_incoming_updated_topics: '. הצגת נושאים שהתעדכנו' + search: '/ חיפוש' + help: '? פתיחת קיצורי מקשים' + actions: + title: 'פעולות' + share_post: 's שיתוף פוסט' + reply_post: 'r תגובה לפוסט' + quote_post: 'q ציטוט פוסט' + flag: '! דיווח על פוסט' + bookmark: 'b סימון פוסט' + edit: 'e עריכת פוסט' + badges: + multiple_grant: "ניתן מספר פעמים" + none: "-
- diff --git a/config/locales/client.id.yml b/config/locales/client.id.yml index 192cfa4376..993b1f09d1 100644 --- a/config/locales/client.id.yml +++ b/config/locales/client.id.yml @@ -229,8 +229,6 @@ id: undo: "Batalkan perintah" revert: "Kembali ke awal" failed: "Gagal" - switch_to_anon: "Mode Anonim" - switch_from_anon: "Keluar Anonim" banner: close: "Abaikan banner ini." edit: "Ubah banner ini >>" @@ -414,7 +412,6 @@ id: disable: "Tidak membolehkan Notifikasi" enable: "Membolehkan Notifikasi" each_browser_note: "Catatan : Anda harus mengubah pengaturan ini pada setiap browser yang Anda gunakan." - dismiss_notifications: "Tandai semua telah dibaca" dismiss_notifications_tooltip: "Tandai semua notifikasi belum dibaca telah dibaca" disable_jump_reply: "Jangan pindah ke kiriman saya setelah saya balas" dynamic_favicon: "Tampilkan jumlah topik baru / pembaharuan pada icon browser." @@ -435,12 +432,8 @@ id: enabled: "Aktifkan mode milis" daily: "mengirim pembaharuan harian" individual: "Kirim email untuk setiap pesan baru" - many_per_day: "Kirimi saya email untuk setiap pesan baru (tentang {{PerkiraanEmailHarian}} per hari)." - few_per_day: "Kirimi saya email untuk setiap pesan baru (kurang dari 2 per hari)." watched_categories: "Dilihat" - watched_categories_instructions: "Anda secara otomatis akan melihat semua topik dalam kategori ini. Anda akan diberitahu dari semua posting baru dan topik, dan jumlah posting baru juga akan muncul di topik selanjutnya." tracked_categories: "Dilacak" - tracked_categories_instructions: "Anda akan melacak semua topik dalam kategori ini secara otomatis. sejumlah pesan baru akan muncul di topik selanjutnya." muted_categories: "Diredam" muted_categories_instructions: "Anda tidak akan diberitahu apapun tentang topik baru di kategori ini, dan mereka tidak akan muncul diterbarunya. " delete_account: "Hapus Akun Saya" @@ -585,6 +578,7 @@ id: rescind: "Hapus" rescinded: "Undangan dihapus" reinvite: "Kirim Ulang Undangan" + reinvite_all: "Kirim ulang semua Undangan" reinvited: "Undangan sudah dikirim ulang" reinvited_all: "Semua Undangan sudah dikirim ulang" time_read: "Waktu Baca" @@ -593,15 +587,18 @@ id: create: "Kirim Undangan" generate_link: "Salin Tautan Undangan" bulk_invite: + text: "Undangan Massal dari Berkas" uploading: "Mengunggah..." password: - title: "Password" + title: "Kata sandi" too_short: "Password kamu terlalu pendek." common: "Password terlalu umum" same_as_username: "Password dan nama pengguna kamu sama" same_as_email: "Password dan email kamu sama" + ok: "Kata sandi Anda terlihat baik." summary: title: "Ringkasan" + stats: "Statistik" days_visited: other: "hari berkunjung" top_replies: "Balasan Teratas" @@ -824,37 +821,3 @@ id: badges: new_badge: Badge Baru new: Baru - lightbox: - download: "unduh" - keyboard_shortcuts_help: - navigation: - title: 'Navigasi' - application: - title: 'Aplikasi' - create: 'c Buat topik baru' - notifications: 'n Buka notifikasi' - search: '/ Cari' - actions: - title: 'Aksi' - badges: - badge_grouping: - trust_level: - name: Tingkat Kepercayaan - other: - name: Lainnya - google_search: | --
- - tagging: - sort_by_name: "nama" - topics: - none: - new: "Anda tidak memiliki topik baru." - bottom: - new: "Tidak ada topik baru lainnya." diff --git a/config/locales/client.it.yml b/config/locales/client.it.yml index 79abda5e7d..bed5576c54 100644 --- a/config/locales/client.it.yml +++ b/config/locales/client.it.yml @@ -117,7 +117,9 @@ it: private_topic: "ha reso questo argomento privato %{when}" split_topic: "ha separato questo argomento %{when}" invited_user: "Invitato %{who} %{when}" + invited_group: "invitato %{who} %{when}" removed_user: "rimosso %{who} %{when}" + removed_group: "cancellato %{who} %{when}" autoclosed: enabled: 'chiuso %{when}' disabled: 'aperto %{when}' @@ -150,9 +152,11 @@ it: eu_central_1: "Europa (Francoforte)" ap_southeast_1: "Asia Pacifico (Singapore)" ap_southeast_2: "Asia Pacifico (Sidney)" + ap_south_1: "Asia Pacifico (Mumbai)" ap_northeast_1: "Asia Pacifico (Tokyo)" ap_northeast_2: "Asia Pacifico (Seoul)" sa_east_1: "America del Sud (San Paolo)" + cn_north_1: "Cina (Beijing)" edit: 'modifica titolo e categoria dell''argomento' not_implemented: "Spiacenti! Questa funzione non è stata ancora implementata." no_value: "No" @@ -253,8 +257,8 @@ it: undo: "Annulla" revert: "Ripristina" failed: "Fallito" - switch_to_anon: "Modalità Anonima" - switch_from_anon: "Abbandona Anonimato" + switch_to_anon: "Avvia Modalità Anonima" + switch_from_anon: "Esci Modalità Anonima" banner: close: "Nascondi questo banner." edit: "Modifica questo annuncio >>" @@ -330,6 +334,7 @@ it: selector_placeholder: "Aggiungi membri" owner: "proprietario" visible: "Il Gruppo è visibile a tutti gli utenti" + index: "Gruppi" title: one: "gruppo" other: "gruppi" @@ -352,6 +357,9 @@ it: watching: title: "In osservazione" description: "Verrai avvertito per ogni nuovo messaggio, e verrà mostrato il conteggio delle nuove risposte." + watching_first_post: + title: "Osservando Primo Messaggio" + description: "Sarai avvertito soltanto per il primo messaggio in ogni nuovo argomento in questo gruppo." tracking: title: "Seguendo" description: "Verrai avvertito se qualcuno menziona il tuo @nome o ti risponde, e verrà mostrato un conteggio delle nuove risposte." @@ -446,7 +454,6 @@ it: disable: "Disabilita Notifiche" enable: "Abilita Notifiche" each_browser_note: "Nota: devi modificare questa impostazione per ogni browser che utilizzi." - dismiss_notifications: "Imposta tutti come Letti" dismiss_notifications_tooltip: "Imposta tutte le notifiche non lette come lette " disable_jump_reply: "Non saltare al mio messaggio dopo la mia risposta" dynamic_favicon: "Visualizza il conteggio degli argomenti nuovi / aggiornati sull'icona del browser" @@ -461,10 +468,10 @@ it: suspended_notice: "Questo utente è sospeso fino al {{date}}." suspended_reason: "Motivo: " github_profile: "Github" + tag_settings: "Etichette" + muted_tags: "Silenziati" watched_categories: "Osservate" - watched_categories_instructions: "Osserverai automaticamente tutti i nuovi argomenti in queste categorie. Riceverai notifiche su tutti i nuovi messaggi e argomenti e, accanto all'argomento, apparirà il conteggio dei nuovi messaggi." tracked_categories: "Seguite" - tracked_categories_instructions: "Seguirai automaticamente tutti i nuovi argomenti appartenenti a queste categorie. Di fianco all'argomento comparirà il conteggio dei nuovi messaggi." muted_categories: "Silenziate" muted_categories_instructions: "Non ti verrà notificato nulla sui nuovi argomenti in queste categorie, e non compariranno nell'elenco Ultimi." delete_account: "Cancella il mio account" @@ -852,10 +859,6 @@ it: github: title: "con GitHub" message: "Autenticazione con GitHub (assicurati che il blocco pop up non sia attivo)" - apple_international: "Apple/Internazionale" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Maiusc' ctrl: 'Ctrl' @@ -915,6 +918,7 @@ it: quote_text: "Citazione" code_title: "Testo preformattato" code_text: "rientra il testo preformattato di 4 spazi" + paste_code_text: "digita o incolla il codice qui" upload_title: "Carica" upload_description: "inserisci qui la descrizione del caricamento" olist_title: "Elenco Numerato" @@ -1562,10 +1566,8 @@ it: notifications: watching: title: "In osservazione" - description: "Osserverai automaticamente tutti i nuovi argomenti presenti in queste categorie. Riceverai notifiche per ogni nuovo messaggio inserito in ogni argomento e apparirà il conteggio delle nuove risposte." tracking: title: "Seguendo" - description: "Seguirai automaticamente tutti i nuovi argomenti in tali categorie. Ti verrà inviata una notifica se qualcuno menziona il tuo @nome o ti risponde, e apparirà un conteggio delle nuove risposte." regular: title: "Normale" description: "Riceverai una notifica se qualcuno menziona il tuo @nome o ti risponde." @@ -1604,7 +1606,6 @@ it: title: "Riassunto Argomento" participants_title: "Autori Assidui" links_title: "Collegamenti Di Successo" - links_shown: "mostra tutti i {{totalLinks}} collegamenti..." clicks: one: "1 click" other: "%{count} click" @@ -1739,6 +1740,54 @@ it: full: "Crea / Rispondi / Visualizza" create_post: "Rispondi / Visualizza" readonly: "Visualizza" + lightbox: + download: "scarica" + search_help: + title: 'Aiuto Ricerca' + keyboard_shortcuts_help: + title: 'Scorciatorie Tastiera' + jump_to: + title: 'Salta A' + home: 'g, h Home' + latest: 'g, l Ultimi' + new: 'g, n Nuovi' + unread: 'g, u Non letti' + categories: 'g, c Categorie' + bookmarks: 'g, b Segnalibri' + profile: 'g, p Profilo' + messages: 'g, m Messaggi' + navigation: + title: 'Navigazione' + jump: '# Vai al messaggio n°' + back: 'u Indietro' + up_down: 'k/j Sposta la selezione ↑ ↓' + open: 'o o Enter Apri l''argomento selezionato' + next_prev: 'shift+j/shift+k Prossima/precedente sezione' + application: + title: 'Applicazione' + create: 'c Crea un nuovo argomento' + notifications: 'n Apri notifiche' + hamburger_menu: '= Apri il menu hamburger' + user_profile_menu: 'p Apri menu utente' + show_incoming_updated_topics: '. Mostra argomenti aggiornati' + search: '/ Cerca' + help: '? Apri la legenda tasti' + dismiss_new_posts: 'x, r Chiudi Nuovi Messaggi' + dismiss_topics: 'x, t Chiudi Argomenti' + log_out: 'shift+z shift+z Esci' + actions: + title: 'Azioni' + badges: + earned_n_times: + one: "Guadagnato questa targhetta 1 volta" + other: "Guadagnato questa targhetta %{count} volte" + granted_on: "Assegnata %{date}" + others_count: "Altri con questa targhetta (%{count})" + title: Targhette + allow_title: "titolo disponibile" + badge_count: + one: "1 Targhetta" + other: "%{count} Targhette" admin_js: type_to_filter: "digita per filtrare..." admin: diff --git a/config/locales/client.ja.yml b/config/locales/client.ja.yml index d6504b61a0..39aa21c2b3 100644 --- a/config/locales/client.ja.yml +++ b/config/locales/client.ja.yml @@ -135,7 +135,7 @@ ja: not_implemented: "この機能はまだ実装されていません!" no_value: "いいえ" yes_value: "はい" - generic_error: "申し訳ありませんが、エラーが発生しました" + generic_error: "申し訳ありません、エラーが発生しました。" generic_error_with_reason: "エラーが発生しました: %{error}" sign_up: "サインアップ" log_in: "ログイン" @@ -226,8 +226,6 @@ ja: undo: "取り消す" revert: "戻す" failed: "失敗" - switch_to_anon: "匿名モード" - switch_from_anon: "匿名モードをやめる" banner: close: "バナーを閉じる。" edit: "このバナーを編集 >>" @@ -408,7 +406,6 @@ ja: disable: "通知を無効にする" enable: "通知を有効にする" each_browser_note: "注意: 利用するすべてのブラウザでこの設定を変更する必要があります" - dismiss_notifications: "全て既読にする" dismiss_notifications_tooltip: "全ての未読の通知を既読にします" disable_jump_reply: "返信した後に投稿へ移動しない" dynamic_favicon: "新規または更新されたトピックのカウントをブラウザアイコンに表示する" @@ -433,9 +430,7 @@ ja: daily: "デイリーアップデートを送る" individual: "新しい投稿がある場合にメールで送る" watched_categories: "ウォッチ中" - watched_categories_instructions: "これらのカテゴリに新しく投稿されたトピックを自動的に参加します。これらのカテゴリに対して新しい投稿があった場合、登録されたメールアドレスと、コミュニティ内の通知ボックスに通知が届き、トピック一覧に新しい投稿数がつきます。" tracked_categories: "追跡中" - tracked_categories_instructions: "カテゴリの新しいトピックを自動的に追跡します。トピックに対して新しい投稿があった場合、トピック一覧に新しい投稿数がつきます。" muted_categories: "ミュート中" delete_account: "アカウントを削除する" delete_account_confirm: "アカウントを削除してもよろしいですか?削除されたアカウントは復元できません。" @@ -661,7 +656,7 @@ ja: the_topic: "トピック" loading: "読み込み中..." errors: - prev_page: "ロード中に" + prev_page: "右記の項目をロード中に発生: " reasons: network: "ネットワークエラー" server: "サーバーエラー" @@ -785,10 +780,6 @@ ja: github: title: "with GitHub" message: "Github による認証 (ポップアップがブロックされていないことを確認してください)" - apple_international: "Apple/International" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -890,7 +881,6 @@ ja: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} accepted your invitation
" moved_post: "{{username}} moved {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "'{{description}}' バッジをゲット!
" group_message_summary: other: "{{count}}件のメッセージが{{group_name}}へ着ています
" @@ -1045,13 +1035,17 @@ ja: auto_close_title: 'オートクローズの設定' auto_close_save: "保存" auto_close_remove: "このトピックを自動でクローズしない" + timeline: + back_description: "未読の最終投稿へ戻る" progress: title: トピック進捗 go_top: "上" go_bottom: "下" go: "へ" jump_bottom: "最後の投稿へ" - jump_bottom_with_number: "投稿%{post_number}にジャンプ" + jump_prompt: "投稿へジャンプ" + jump_prompt_long: "どの投稿へジャンプしますか?" + jump_bottom_with_number: "%{post_number}番へジャンプ" total: 投稿の合計 current: 現在の投稿 position: "投稿: %{current}/%{total}" @@ -1148,15 +1142,13 @@ ja: remove_banner: "全てのページのバナーを削除します" banner_note: "ユーザはバナーを閉じることができます。常に1つのトピックだけがバナー表示されます" inviting: "招待中..." - automatically_add_to_groups_optional: "この招待によって、リストされたグループに参加することができます。" - automatically_add_to_groups_required: "この招待によって、リストされたグループに参加することができます。" invite_private: title: 'プライベートメッセージへ招待する' email_or_username: "招待するユーザのメールアドレスまたはユーザ名" email_or_username_placeholder: "メールアドレスまたはユーザ名" action: "招待" success: "ユーザにメッセージへの参加を招待しました。" - error: "申し訳ありませんが、ユーザ招待中にエラーが発生しました。" + error: "申し訳ありません、ユーザ招待中にエラーが発生しました。" group_name: "グループ名" controls: "オプション" invite_reply: @@ -1244,7 +1236,7 @@ ja: errors: create: "申し訳ありませんが、投稿中にエラーが発生しました。もう一度やり直してください。" edit: "申し訳ありませんが、投稿の編集中にエラーが発生しました。もう一度やり直してください。" - upload: "申し訳ありませんが、ファイルアップロード中にエラーが発生しました。もう一度やり直してください。" + upload: "申し訳ありません、ファイルのアップロード中にエラーが発生しました。再度お試しください。" too_many_uploads: "申し訳ありませんが、複数のファイルは同時にアップロードできません。" upload_not_authorized: "申し訳ありませんが、対象ファイルをアップロードする権限がありません (利用可能な拡張子: {{authorized_extensions}})." image_upload_not_allowed_for_new_user: "申し訳ありませんが、新規ユーザは画像のアップロードができません。" @@ -1394,7 +1386,7 @@ ja: description: "カテゴリ内容" topic: "カテゴリトピック" logo: "カテゴリロゴ画像" - background_image: "カテゴリ背景画像" + background_image: "カテゴリの背景画像" badge_colors: "バッジの色" background_color: "背景色" foreground_color: "文字表示色" @@ -1464,7 +1456,6 @@ ja: title: "トピックの情報" participants_title: "よく投稿する人" links_title: "人気のリンク" - links_shown: "全{{totalLinks}}リンクを表示..." clicks: other: "%{count} クリック" topic_statuses: @@ -1590,6 +1581,61 @@ ja: full: "作成 / 返信 / 閲覧" create_post: "返信 / 閲覧" readonly: "閲覧できる" + keyboard_shortcuts_help: + title: 'ショートカットキー' + jump_to: + title: 'ページ移動' + home: 'g, h ホーム' + latest: 'g, l 最新' + new: 'g, n 新着' + unread: 'g, u 未読' + categories: 'g, c カテゴリ' + top: 'g, t トップ' + bookmarks: 'g, b ブックマーク' + profile: 'g, p プロフィール' + messages: 'g, m メッセージ' + navigation: + jump: '# # 投稿へ' + back: 'u 戻る' + open: 'o or Enter トピックへ' + application: + create: 'c 新しいトピックを作成' + notifications: 'n お知らせを開く' + hamburger_menu: '= メニューを開く' + user_profile_menu: 'p ユーザメニュを開く' + show_incoming_updated_topics: '. 更新されたトピックを表示する' + search: '/ 検索' + help: '? キーボードヘルプを表示する' + dismiss_new_posts: 'x, r 新しい投稿を非表示にする' + dismiss_topics: 'Dismiss Topics' + log_out: 'shift+j/shift+k 次のセクション/前のセクション' + actions: + bookmark_topic: 'f トピックのブックマークを切り替え' + pin_unpin_topic: 'shift+pトピックを ピン留め/ピン留め解除' + share_topic: 'shift+s トピックをシェア' + share_post: 's 投稿をシェアする' + reply_as_new_topic: 't トピックへリンクして返信' + reply_topic: 'shift+r トピックに返信' + reply_post: 'r 投稿に返信' + quote_post: 'q 投稿を引用する' + like: 'l 投稿を「いいね!」する' + flag: '! 投稿を通報' + bookmark: 'b 投稿をブックマークする' + edit: 'e 投稿を編集' + mark_muted: 'm, m トピックをミュートする' + mark_regular: 'm, r レギュラー(デフォルト)トピックにする' + mark_tracking: 'm, t トピックを追跡する' + mark_watching: 'm, w トピックをウォッチする' + badges: + title: バッジ + badge_count: + other: "%{count}個のバッジ" + tagging: + topics: + none: + latest: "最新のトピックはありません。" + bottom: + latest: "最新のトピックは以上です。" admin_js: type_to_filter: "設定項目を検索..." admin: @@ -1605,7 +1651,7 @@ ja: please_upgrade: "今すぐアップデートしてください!" no_check_performed: "アップデートの確認が正しく動作していません。sidekiq が起動していることを確認してください。" stale_data: "最近アップデートの確認が正しく動作していません。sidekiq が起動していることを確認してください。" - version_check_pending: "まるでアップデート直後のようです。素晴らしい!" + version_check_pending: "アップロードしたてです。素晴らしいです! " installed_version: "インストール済み" latest_version: "最新" problems_found: "Discourse のインストールにいくつか問題が発見されました:" @@ -1778,7 +1824,7 @@ ja: upload: label: "アップロード" title: "このインスタンスにバックアップをアップロード" - uploading: "アップロード中" + uploading: "アップロード中..." success: "ファイル'{{filename}}' がアップロードされました。" error: "ファイル '{{filename}}'アップロードエラー: {{message}}" operations: @@ -1843,7 +1889,7 @@ ja: undo_preview: "プレビューを削除" rescue_preview: "既定スタイル" explain_preview: "カスタムスタイルシートでサイトを表示する" - explain_undo_preview: "有効しているカスタムスタイルシートに戻る" + explain_undo_preview: "有効中のカスタムスタイルシートへ戻る" explain_rescue_preview: "既定スタイルシートでサイトを表示する" save: "保存" new: "新規" @@ -1857,9 +1903,10 @@ ja: opacity: "透明度" copy: "コピー" email_templates: - title: "メールのテンプレート" + title: "メールテンプレート" subject: "件名" multiple_subjects: "このメールのテンプレートは複数の件名があります。" + none_selected: "編集するメールテンプレートを選択してください。" css_html: title: "CSS, HTML" long_title: "CSS と HTML のカスタマイズ" @@ -1924,7 +1971,7 @@ ja: send_test: "テストメールを送る" sent_test: "送信完了!" delivery_method: "送信方法" - preview_digest_desc: "長い間ログインしていないユーザーに送られるまとめメールのプレビューです。" + preview_digest_desc: "しばらくログインしていないユーザーに送られるまとめメールです。" refresh: "更新" format: "フォーマット" html: "html" @@ -2053,7 +2100,7 @@ ja: not_found: "ユーザが見つかりませんでした。" id_not_found: "申し訳ありません。そのユーザIDはシステムに存在していません" active: "アクティブ" - show_emails: "メールアドレス参照" + show_emails: "メールアドレスを表示" nav: new: "新規" active: "アクティブ" @@ -2069,7 +2116,7 @@ ja: other: "拒否ユーザ ({{count}})" titles: active: 'アクティブユーザ' - new: '新規ユーザ' + new: '新しいユーザ' pending: '保留中のユーザ' newuser: 'トラストレベル0のユーザ (新しいユーザ)' basic: 'トラストレベル1のユーザ (ベーシックユーザ)' @@ -2109,7 +2156,7 @@ ja: save_title: "タイトルを保存" refresh_browsers: "ブラウザを強制リフレッシュ" refresh_browsers_message: "全てのクライアントにメッセージが送信されました!" - show_public_profile: "公開プロフィールを見る" + show_public_profile: "パブリックプロフィールを見る" impersonate: 'このユーザになりすます' ip_lookup: "IPアドレスを検索" log_out: "ログアウト" @@ -2152,7 +2199,7 @@ ja: cant_delete_all_too_many_posts: other: "全ての投稿を削除できませんでした。ユーザは%{count} 件以上投稿しています。(delete_all_posts_max)" delete_confirm: "このユーザを削除してもよろしいですか?" - delete_and_block: " 削除する。このメールとIPアドレスからのサインアップを以後ブロック" + delete_and_block: "アカウントを削除し、同一メールアドレス及びIPアドレスからのサインアップをブロックします" delete_dont_block: "削除する" deleted: "ユーザが削除されました。" delete_failed: "ユーザの削除中にエラーが発生しました。このユーザの全投稿を削除したことを確認してください。" @@ -2212,7 +2259,7 @@ ja: external_avatar_url: "プロフィール画像URL" user_fields: title: "ユーザフィールド" - help: "ユーザが記入するフィールドを追加します" + help: "ユーザが記入する項目(フィールド)を追加します" create: "ユーザフィールド作成" untitled: "無題" name: "フィールド名" @@ -2225,17 +2272,19 @@ ja: delete_confirm: "ユーザフィールドを削除してもよいですか?" options: "オプション" required: - title: "サインアップ時に必須?" + title: "サインアップ時の必須にしますか?" enabled: "必須" disabled: "任意" editable: - title: "サインアップ後に編集可能?" + title: "サインアップ後に編集可能にしますか?" enabled: "編集可能" disabled: "編集不可" show_on_profile: - title: "パブリックプロフィールに表示?" + title: "パブリックプロフィールに表示しますか?" enabled: "プロフィールに表示" disabled: "プロフィール非表示" + show_on_user_card: + title: "ユーザカードに表示しますか?" field_types: text: 'テキストフィールド' confirm: '確認' @@ -2301,7 +2350,7 @@ ja: grant_badge: バッジを付与 granted_badges: 付けられたバッジ grant: 付ける - no_user_badges: "%{name} はバッジを付けられていません。" + no_user_badges: "%{name}はバッジを付けられていません。" no_badges: 付けられるバッジがありません none_selected: "バッジを選択して開始" allow_title: バッジをタイトルとして使用されることを許可する @@ -2332,6 +2381,9 @@ ja: bad_count_warning: header: "WARNING!" text: "There are missing grant samples. This happens when the badge query returns user IDs or post IDs that do not exist. This may cause unexpected results later on - please double-check your query." + no_grant_count: "付与されたバッジはありません" + grant_count: + other: "%{count}個のバッジが付与されています" sample: "サンプル:" grant: with: %{username} @@ -2340,7 +2392,7 @@ ja: with_time: %{username} at %{time} emoji: title: "絵文字" - help: "Add new emoji that will be available to everyone. (PROTIP: drag & drop multiple files at once)" + help: "各ユーザが利用できる絵文字を追加します。 (ちょっとしたコツ: ドラッグアンドドロップで複数のファイルを一度にアップロードできます)" add: "新しい絵文字を追加" name: "名前" image: "画像" @@ -2366,89 +2418,3 @@ ja: label: "新規:" add: "追加" filter: "検索(URL または 外部URL)" - lightbox: - download: "ダウンロード" - search_help: - title: 'Search Help' - keyboard_shortcuts_help: - title: 'ショートカットキー' - jump_to: - title: 'ページ移動' - home: 'g, h ホーム' - latest: 'g, l 最新' - new: 'g, n 新着' - unread: 'g, u 未読' - categories: 'g, c カテゴリ' - top: 'g, t トップ' - bookmarks: 'g, b ブックマーク' - profile: 'g, p プロフィール' - messages: 'g, m メッセージ' - navigation: - title: 'ナビゲーション' - jump: '# # 投稿へ' - back: 'u 戻る' - up_down: 'k/j トピック・投稿 ↑ ↓移動' - open: 'o or Enter トピックへ' - next_prev: 'shift+j/shift+k 次のセクション/前のセクション' - application: - title: 'アプリケーション' - create: 'c 新しいトピックを作成' - notifications: 'n お知らせを開く' - hamburger_menu: '= メニューを開く' - user_profile_menu: 'p ユーザメニュを開く' - show_incoming_updated_topics: '. 更新されたトピックを表示する' - search: '/ 検索' - help: '? キーボードヘルプを表示する' - dismiss_new_posts: 'x, r 新しい投稿を非表示にする' - dismiss_topics: 'Dismiss Topics' - actions: - title: '操作' - bookmark_topic: 'f トピックのブックマークを切り替え' - pin_unpin_topic: 'shift+pトピックを ピン留め/ピン留め解除' - share_topic: 'shift+s トピックをシェア' - share_post: 's 投稿をシェアする' - reply_as_new_topic: 't トピックへリンクして返信' - reply_topic: 'shift+r トピックに返信' - reply_post: 'r 投稿に返信' - quote_post: 'q 投稿を引用する' - like: 'l 投稿を「いいね!」する' - flag: '! 投稿を通報' - bookmark: 'b 投稿をブックマークする' - edit: 'e 投稿を編集' - delete: 'd 投稿を削除する' - mark_muted: 'm, m トピックをミュートする' - mark_regular: 'm, r 通常トピックにする' - mark_tracking: 'm, t トピックを追跡する' - mark_watching: 'm, w トピックを参加中にする' - badges: - granted_on: "%{date} にゲット" - title: バッジ - allow_title: "プロフィールにつける" - multiple_grant: "何度も取得可能" - badge_count: - other: "%{count} バッジ" - more_badges: - other: "バッジを全て見る(全%{count}個)" - granted: - other: "%{count} つバッジを付与されました" - select_badge_for_title: プロフィールのタイトルに付けるバッジを選んでください - none: "<なし>" - badge_grouping: - getting_started: - name: はじめの一歩 - community: - name: コミュニティ - trust_level: - name: トラストレベル - other: - name: その他 - posting: - name: 投稿 - tagging: - changed: "タグを変更しました:" - sort_by: "並べ替え:" - topics: - none: - search: "検索結果は何もありません。" - bottom: - search: "検索結果は以上です。" diff --git a/config/locales/client.ko.yml b/config/locales/client.ko.yml index 3c2704aaec..56852e2745 100644 --- a/config/locales/client.ko.yml +++ b/config/locales/client.ko.yml @@ -85,7 +85,7 @@ ko: previous_month: '이전 달' next_month: '다음 달' share: - topic: '토픽을 공유합니다.' + topic: '주제를 공유합니다.' post: '게시글 #%{postNumber}' close: '닫기' twitter: 'twitter로 공유' @@ -93,7 +93,7 @@ ko: google+: 'Google+로 공유' email: '이메일로 공유' action_codes: - split_topic: "이 토픽을 ${when} 분리" + split_topic: "이 주제를 ${when} 분리" invited_user: "%{who}이(가) %{when}에 초대됨" removed_user: "%{who}이(가) %{when}에 삭제됨" autoclosed: @@ -114,7 +114,7 @@ ko: visible: enabled: '%{when} 목록에 게시' disabled: '%{when} 목록에서 감춤' - topic_admin_menu: "토픽 관리자 기능" + topic_admin_menu: "주제 관리자 기능" emails_are_disabled: "관리자가 이메일 송신을 전체 비활성화 했습니다. 어떤 종류의 이메일 알림도 보내지지 않습니다." s3: regions: @@ -129,7 +129,7 @@ ko: ap_northeast_1: "아시아 태평양 (토쿄)" ap_northeast_2: "아시아 태평양 (서울)" sa_east_1: "남 아메리카 (상파울로)" - edit: '이 토픽의 제목과 카테고리 편집' + edit: '이 주제의 제목과 카테고리 편집' not_implemented: "죄송합니다. 아직 사용할 수 없는 기능입니다." no_value: "아니오" yes_value: "예" @@ -171,7 +171,7 @@ ko: character_count: other: "{{count}} 자" suggested_topics: - title: "추천 토픽" + title: "추천 주제" pm_title: "추천 메세지" about: simple_title: "About" @@ -184,7 +184,7 @@ ko: last_7_days: "지난 7일" last_30_days: "최근 30일" like_count: "좋아요" - topic_count: "토픽" + topic_count: "주제" post_count: "게시글" user_count: "새로운 사용자" active_user_count: "활성화된 사용자" @@ -194,21 +194,21 @@ ko: title: "북마크" clear_bookmarks: "북마크 제거" help: - bookmark: "북마크하려면 이 토픽의 첫번째 게시글을 클릭하세요" - unbookmark: "북마크를 제거하려면 이 토픽의 첫 번째 게시글을 클릭하세요" + bookmark: "북마크하려면 이 주제의 첫번째 게시글을 클릭하세요" + unbookmark: "북마크를 제거하려면 이 주제의 첫 번째 게시글을 클릭하세요" bookmarks: not_logged_in: "죄송합니다. 게시물을 즐겨찾기에 추가하려면 로그인을 해야 합니다." created: "이 게시글을 북마크 하였습니다." not_bookmarked: "이 게시물을 읽으셨습니다. 즐겨찾기에 추가하려면 클릭하세요." last_read: "마지막으로 읽으신 게시물입니다. 즐겨찾기에 추가하려면 클릭하세요." remove: "북마크 삭제" - confirm_clear: "정말 이 토픽의 모든 북마크를 제거하시겠습니까?" + confirm_clear: "정말 이 주제의 모든 북마크를 제거하시겠습니까?" topic_count_latest: - other: "{{count}} 새 토픽 혹은 업데이트된 토픽" + other: "{{count}} 새 주제 혹은 업데이트된 주제" topic_count_unread: - other: "{{count}} 읽지 않은 토픽" + other: "{{count}} 읽지 않은 주제" topic_count_new: - other: "{{count}}개의 새로운 토픽" + other: "{{count}}개의 새로운 주제" click_to_show: "보려면 클릭하세요." preview: "미리보기" cancel: "취소" @@ -224,18 +224,16 @@ ko: undo: "실행 취소" revert: "되돌리기" failed: "실패" - switch_to_anon: "익명 모드" - switch_from_anon: "익명모드 나가기" banner: close: "배너 닫기" edit: "이 배너 수정 >>" choose_topic: - none_found: "토픽을 찾을 수 없습니다." + none_found: "주제를 찾을 수 없습니다." title: - search: "이름, url, ID로 토픽 검색" - placeholder: "여기에 토픽 제목을 입력하세요" + search: "이름, url, ID로 주제 검색" + placeholder: "여기에 주제 제목을 입력하세요" queue: - topic: "토픽:" + topic: "주제:" approve: '승인' reject: '거절' delete_user: '사용자 삭제' @@ -245,7 +243,7 @@ ko: cancel: "취소" view_pending: "대기중인 게시글" has_pending_posts: - other: "이 토픽은 {{count}}개의 승인 대기중인 게시글이 있습니다." + other: "이 주제에는 {{count}}개의 승인 대기중인 게시글이 있습니다." confirm: "변경사항 저장" delete_prompt: "정말로 %{username}; 회원을 삭제하시겠습니까? 게시글이 모두 삭제되고 IP와 이메일이 차단됩니다." approval: @@ -255,12 +253,12 @@ ko: other: "대기중인 게시글이 {{count}}개 있습니다." ok: "확인" user_action: - user_posted_topic: "{{user}}님이 토픽을 게시함" - you_posted_topic: "내가 토픽을 게시함" + user_posted_topic: "{{user}}님이 주제를 게시함" + you_posted_topic: "내가 주제를 게시함" user_replied_to_post: "{{user}}님이 {{post_number}} 게시글에 답글 올림" you_replied_to_post: "내가 {{post_number}} 게시글에 답글 올림" - user_replied_to_topic: "{{user}}님이 토픽에 답글 올림" - you_replied_to_topic: "내가 토픽에 답글 올림" + user_replied_to_topic: "{{user}}님이 주제에 답글 올림" + you_replied_to_topic: "내가 주제에 답글 올림" user_mentioned_user: "{{user}}님이 {{another_user}}를 멘션함" user_mentioned_you: "{{user}}님이 나를 멘션함" you_mentioned_user: "내가 {{another_user}}님을 멘션함" @@ -274,10 +272,10 @@ ko: likes_given: "제공한" likes_received: "받은" topics_entered: "읽음" - topics_entered_long: "읽은 토픽" + topics_entered_long: "읽은 주제" time_read: "읽은 시간" - topic_count: "토픽" - topic_count_long: "생성된 토픽" + topic_count: "주제" + topic_count_long: "생성된 주제" post_count: "답글" post_count_long: "답글" no_results: "결과가 없습니다." @@ -301,7 +299,7 @@ ko: title: other: "그룹" members: "멤버" - topics: "토픽" + topics: "주제" posts: "게시글" mentions: "멘션" messages: "메시지" @@ -332,7 +330,7 @@ ko: '1': "선사한 '좋아요'" '2': "받은 '좋아요'" '3': "북마크" - '4': "토픽" + '4': "주제" '5': "답글" '6': "응답" '7': "멘션" @@ -356,14 +354,14 @@ ko: apply_all: "적용" position: "위치" posts: "게시글" - topics: "토픽" + topics: "주제" latest: "최근" latest_by: "가장 최근" toggle_ordering: "정렬 컨트롤 토글" subcategories: "하위 카테고리" - topic_stats: "새로운 토픽 수" + topic_stats: "새로운 주제 수" topic_stat_sentence: - other: "지난 %{unit} 동안 %{count}개의 새로운 토픽이 있습니다." + other: "지난 %{unit} 동안 %{count}개의 새로운 주제가 있습니다." post_stats: "새 게시글 수" post_stat_sentence: other: "지난 %{unit} 동안 %{count}개의 새로운 게시글이 있습니다." @@ -411,7 +409,6 @@ ko: disable: "알림 비활성화" enable: "알림 활성화" each_browser_note: "노트: 사용하시는 모든 브라우저에서 이 설정을 변경해야합니다." - dismiss_notifications: "모두 읽음으로 표시" dismiss_notifications_tooltip: "읽지 않은 알림을 모두 읽음으로 표시" disable_jump_reply: "댓글을 작성했을 때, 새로 작성한 댓글로 화면을 이동하지 않습니다." dynamic_favicon: "새 글이나 업데이트된 글 수를 브라우저 아이콘에 보이기" @@ -428,11 +425,9 @@ ko: github_profile: "Github" email_activity_summary: "활동 요약" watched_categories: "지켜보기" - watched_categories_instructions: "이 카테고리 내의 새로운 토픽들을 지켜보도록 자동으로 설정됩니다. 새로운 게시글이나 토픽에 대하여 알림을 받게되며 토픽 옆에 읽지 않은 게시글의 수가 표시됩니다." tracked_categories: "추적하기" - tracked_categories_instructions: "이 카테고리 내의 새로운 토픽들을 추적하도록 자동으로 설정됩니다. 토픽 옆에 읽지 않은 게시글의 수가 표시됩니다." muted_categories: "알림 끄기" - muted_categories_instructions: "이 카테고리 내의 새 토픽에 대해 어떠한 알림도 받을 수 없으며, 최근의 토픽도 나타나지 않습니다." + muted_categories_instructions: "이 카테고리 내의 새 주제에 대해 어떠한 알림도 받을 수 없으며, 최근의 주제도 나타나지 않습니다." delete_account: "내 계정 삭제" delete_account_confirm: "정말로 계정을 삭제할까요? 이 작업은 되돌릴 수 없습니다." deleted_yourself: "계정이 삭제 되었습니다." @@ -442,8 +437,8 @@ ko: users: "회원" muted_users: "알람 끄기" muted_users_instructions: "이 회원이 보낸 알림 모두 숨김" - muted_topics_link: "알림을 끈 토픽 보기" - automatically_unpin_topics: "글 끝에 다다르면 자동으로 토픽고정 해제합니다." + muted_topics_link: "알림을 끈 주제 보기" + automatically_unpin_topics: "글 끝에 다다르면 자동으로 주제 고정을 해제합니다." staff_counters: flags_given: "유용한 신고" flagged_posts: "신고된 글" @@ -567,12 +562,12 @@ ko: new_topic_duration: label: "새글을 정의해주세요." not_viewed: "아직 보지 않았습니다." - last_here: "마지막 방문이후 작성된 토픽" - after_1_day: "지난 하루간 생성된 토픽" - after_2_days: "지난 2일간 생성된 토픽" - after_1_week: "최근 일주일간 생성된 토픽" - after_2_weeks: "지난 2주간 생성된 토픽" - auto_track_topics: "마지막 방문이후 작성된 토픽" + last_here: "마지막 방문이후 작성된 주제" + after_1_day: "지난 하루간 생성된 주제" + after_2_days: "지난 2일간 생성된 주제" + after_1_week: "최근 일주일간 생성된 주제" + after_2_weeks: "지난 2주간 생성된 주제" + auto_track_topics: "마지막 방문이후 작성된 주제" auto_track_options: never: "하지않음" immediately: "즉시" @@ -598,7 +593,7 @@ ko: pending: "초대를 보류합니다." pending_tab: "보류" pending_tab_with_count: "지연 ({{count}})" - topics_entered: "토픽이 입력되었습니다." + topics_entered: "읽은 주제" posts_read_count: "글 읽기" expired: "이 초대장의 기한이 만료되었습니다." rescind: "삭제" @@ -639,9 +634,10 @@ ko: other: "받음" top_replies: "인기 댓글" more_replies: "답글 더 보기" - top_topics: "인기 토픽" - more_topics: "토픽 더 보기" + top_topics: "인기 주제" + more_topics: "주제 더 보기" top_badges: "인기 배지" + no_badges: "아직 배지가 없습니다." more_badges: "배지 더 보기" associated_accounts: "로그인" ip_address: @@ -659,7 +655,7 @@ ko: posted_by: "에 의해 작성되었습니다" sent_by: "에 의해 전송되었습니다" private_message: "메시지" - the_topic: "토픽" + the_topic: "주제" loading: "로딩 중..." errors: prev_page: "로드하는 중" @@ -687,16 +683,16 @@ ko: read_only_mode: enabled: "이 사이트는 현재 읽기전용 모드입니다. 브라우징은 가능하지만, 댓글달기, 좋아요 등 다른 행위들은 현재 비활성화 되어있습니다." login_disabled: "사이트가 읽기 전용모드로 되면서 로그인은 비활성화되었습니다." - too_few_topics_and_posts_notice: "토론을 시작하시죠! 현재 %{currentTopics} / %{requiredTopics} 토픽과 %{currentPosts} / %{requiredPosts} 글이 있습니다. 새 방문자는 읽고 응답할 대화꺼리가 좀 필요해요." - too_few_topics_notice: "토론을 시작하시죠! 현재 %{currentTopics} / %{requiredTopics} 토픽이 있습니다. 새 방문자는 읽고 응답할 대화꺼리가 좀 필요해요." + too_few_topics_and_posts_notice: "토론을 시작하시죠! 현재 %{currentTopics} / %{requiredTopics} 주제와 %{currentPosts} / %{requiredPosts} 글이 있습니다. 새 방문자는 읽고 응답할 대화꺼리가 좀 필요해요." + too_few_topics_notice: "토론을 시작하시죠! 현재 %{currentTopics} / %{requiredTopics} 주제가 있습니다. 새 방문자는 읽고 응답할 대화꺼리가 좀 필요해요." too_few_posts_notice: "토론을 시작하시죠! 현재 %{currentPosts} / %{requiredPosts} 글이 있습니다. 새 방문자는 읽고 응답할 대화꺼리가 좀 필요해요." learn_more: "더 배우기" year: '년' - year_desc: '지난 365일간 생성된 토픽' + year_desc: '지난 365일간 생성된 주제' month: '월' - month_desc: '지난 30일간 생성된 토픽' + month_desc: '지난 30일간 생성된 주제' week: '주' - week_desc: '지난 7일간 생성된 토픽' + week_desc: '지난 7일간 생성된 주제' day: '일' first_post: 첫 번째 글 mute: 음소거 @@ -713,13 +709,13 @@ ko: intro: "안녕하세요! :heart_eyes: 글읽기는 좋아하시는데 아직 회원가입은 안하신 것 같네요." value_prop: "회원가입 하시면 글을 어디까지 읽으셨는지 저희가 기억하기 때문에, 언제든지 마지막 읽은 위치로 바로 돌아갈 수 있답니다. 그리고 새글이 뜰때마다 이 화면과 이메일로 알림을 받을수도 있고, 좋아요를 클릭해서 글에 대한 애정을 표현하실 수도 있어요. :heartbeat:" summary: - enabled_description: "현재 커뮤니티에서 가장 인기있는 토픽의 요약본을 보고 있습니다:" + enabled_description: "현재 커뮤니티에서 가장 인기있는 주제의 요약본을 보고 있습니다:" description: "댓글이 {{replyCount}}개 있습니다." description_time: "댓글이 {{replyCount}}개 있고 다 읽는데 {{readingTime}} 분이 걸립니다." - enable: '이 토픽을 요약Show All Posts' + enable: '이 주제를 요약' disable: '모든 포스트 보기' deleted_filter: - enabled_description: "이 토픽은 삭제된 글들을 포함하고 있습니다. 삭제된 글을 보이지 않습니다." + enabled_description: "이 주제는 삭제된 글들을 포함하고 있습니다. 삭제된 글을 보이지 않습니다." disabled_description: "삭제된 글들을 표시하고 있습니다." enable: "삭제된 글 숨김" disable: "삭제된 글 보기" @@ -790,10 +786,6 @@ ko: github: title: "GitHub" message: "GitHub 인증 중(팝업 차단을 해제 하세요)" - apple_international: "Apple/International" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -805,11 +797,11 @@ ko: whisper: "귓속말" add_warning: "공식적인 경고입니다." toggle_whisper: "귀속말 켜고 끄기" - posting_not_on_topic: "어떤 토픽에 답글을 작성하시겠습니까?" + posting_not_on_topic: "어떤 주제에 답글을 작성하시겠습니까?" saving_draft_tip: "저장 중..." saved_draft_tip: "저장 완료" saved_local_draft_tip: "로컬로 저장됩니다." - similar_topics: "작성하려는 내용과 비슷한 토픽들..." + similar_topics: "작성하려는 내용과 비슷한 주제들..." drafts_offline: "초안" error: title_missing: "제목은 필수 항목입니다" @@ -820,11 +812,11 @@ ko: try_like: ' 버튼을 사용해 보셨나요?' category_missing: "카테고리를 선택해주세요." save_edit: "편집 저장" - reply_original: "기존 토픽에 대해 답글을 작성합니다." + reply_original: "기존 주제에 대해 답글을 작성합니다." reply_here: "여기에 답글을 작성하세요." reply: "답글 전송" cancel: "취소" - create_topic: "토픽(글) 쓰기" + create_topic: "새 주제 쓰기" create_pm: "메시지" title: "혹은 Ctrl + Enter 누름" users_placeholder: "사용자 추가" @@ -856,7 +848,7 @@ ko: upload_description: "업로드 설명을 입력" olist_title: "번호 매기기 목록" ulist_title: "글 머리 기호 목록" - list_item: "토픽" + list_item: "주제" heading_title: "표제" heading_text: "표제" hr_title: "수평선" @@ -865,18 +857,18 @@ ko: modal_ok: "OK" modal_cancel: "취소" cant_send_pm: "죄송합니다. %{username}님에게 메시지를 보낼 수 없습니다." - admin_options_title: "이 토픽에 대한 옵션 설정" + admin_options_title: "이 주제에 대한 옵션 설정" auto_close: - label: "토픽 자동-닫기 시간:" + label: "주제 자동-닫기 시간:" error: "유효한 값은 눌러주세요." - based_on_last_post: "적어도 토픽의 마지막 글이 이만큼 오래되지 않았으면 닫지 마세요." + based_on_last_post: "적어도 주제의 마지막 글이 이만큼 오래되지 않았으면 닫지 마세요." all: examples: '시간을 숫자(24이하)로 입력하거나 분을 포함한 시간(17:30) 혹은 타임스탬프(2013-11-22 14:00) 형식으로 입력하세요.' limited: units: "(# 시간)" examples: '시간에 해당하는 숫자를 입력하세요. (24)' notifications: - title: "@name 멘션, 글과 토픽에 대한 답글, 개인 메시지 등에 대한 알림" + title: "@name 언급, 글과 주제에 대한 답글, 개인 메시지 등에 대한 알림" none: "현재 알림을 불러올 수 없습니다." more: "이전 알림을 볼 수 있습니다." total_flagged: "관심 표시된 총 글" @@ -941,7 +933,7 @@ ko: clear_all: "다 지우기" result_count: other: "\"{{term}}\" 검색결과 {{count}} 개" - title: "토픽, 글, 사용자, 카테고리 검색" + title: "주제, 글, 사용자, 카테고리 검색" no_results: "검색 결과가 없습니다" no_more_results: "더 이상 결과가 없습니다." search_help: 검색 도움말 @@ -949,65 +941,65 @@ ko: post_format: "#{{post_number}} by {{username}}" context: user: "@{{username}}의 글 검색" - topic: "이 토픽을 검색" + topic: "이 주제를 검색" private_messages: "메시지 검색" - hamburger_menu: "다른 토픽 목록이나 카테고리로 가기" + hamburger_menu: "다른 주제 목록이나 카테고리로 가기" new_item: "새로운" go_back: '돌아가기' not_logged_in_user: 'user page with summary of current activity and preferences' current_user: '사용자 페이지로 이동' topics: bulk: - unlist_topics: "토픽 내리기" + unlist_topics: "주제 내리기" reset_read: "읽기 초기화" - delete: "토픽 삭제" + delete: "주제 삭제" dismiss: "해지" dismiss_read: "읽지않음 전부 해지" dismiss_button: "해지..." - dismiss_tooltip: "새 글을 무시하거나 토픽 추적 멈추기" - also_dismiss_topics: "이 토픽 추적하는 걸 멈추고 내가 읽지 않은 걸 다시는 보여주지 않습니다" + dismiss_tooltip: "새 글을 무시하거나 주제 추적 멈추기" + also_dismiss_topics: "이 주제를 더 이상 추적하지 않고 읽지 않은 글에서 표시하지 않음" dismiss_new: "새글 제거" - toggle: "토픽 복수 선택" + toggle: "주제 복수 선택" actions: "일괄 적용" change_category: "카테고리 변경" - close_topics: "토픽 닫기" - archive_topics: "토픽 보관하기" + close_topics: "주제 닫기" + archive_topics: "주제 보관하기" notification_level: "알림 설정 변경" - choose_new_category: "토픽의 새로운 카테고리를 선택" + choose_new_category: "주제의 새로운 카테고리를 선택" selected: - other: "{{count}}개의 토픽이 선택되었습니다." + other: "{{count}}개의 주제가 선택되었습니다." none: - unread: "읽지 않은 토픽이 없습니다." - new: "읽을 새로운 토픽이 없습니다." - read: "아직 어떠한 토픽도 읽지 않았습니다." - posted: "아직 어떠한 토픽도 작성되지 않았습니다." - latest: "최신 토픽이 없습니다." - hot: "인기있는 토픽이 없습니다." - bookmarks: "아직 북마크한 토픽이 없습니다." - category: "{{category}}에 토픽이 없습니다." - top: "Top 토픽이 없습니다." + unread: "읽지 않은 주제가 없습니다." + new: "읽을 새로운 주제가 없습니다." + read: "아직 어떠한 주제도 읽지 않았습니다." + posted: "아직 어떠한 주제도 작성되지 않았습니다." + latest: "최신 주제가 없습니다." + hot: "인기있는 주제가 없습니다." + bookmarks: "아직 북마크한 주제가 없습니다." + category: "{{category}}에 주제가 없습니다." + top: "Top 주제가 없습니다." search: "검색 결과가 없습니다." educate: - new: '회원님의 토픽은 여기에 나타납니다.
기본적으로 생긴 지 이틀 안된 토픽은 새것으로 간주하고 new 표시가 뜹니다.
바꾸고 싶으면 환경설정으로 가보세요.
' - unread: '회원님이 읽지 않은 토픽은 여기에 나타납니다.
기본적으로 토픽은 읽지 않은 것으로 간주하고 다음과 같은 조건 중 하나를 만족하면 읽지 않은 글갯수 1 을 표시합니다:
또는 토픽을 추적하거나 지켜보기 위해 각 토픽의 밑부분에 달린 알림제어판에서 설정하는 경우도 포합됩니다.
설정을 바꾸려면 환경설정 페이지로 가세요.
' + new: '회원님의 주제는 여기에 나타납니다.
기본적으로 생긴 지 이틀 안된 주제는 새것으로 간주하고 new 표시가 뜹니다.
바꾸고 싶으면 환경설정으로 가보세요.
' + unread: '회원님이 읽지 않은 주제는 여기에 나타납니다.
기본적으로 주제는 읽지 않은 것으로 간주하고 다음과 같은 조건 중 하나를 만족하면 읽지 않은 글갯수 1 을 표시합니다:
또는 주제를 추적하거나 지켜보기 위해 각 주제의 밑부분에 달린 알림제어판에서 설정하는 경우도 포합됩니다.
설정을 바꾸려면 환경설정 페이지로 가세요.
' bottom: - latest: "더 이상 읽을 최신 토픽이 없습니다" - hot: "더 이상 읽을 인기있는 토픽이 없습니다" - posted: "더 이상 작성된 토픽이 없습니다" - read: "더 이상 읽을 토픽이 없습니다" - new: "더 이상 읽을 새로운 토픽이 없습니다." - unread: "더 이상 읽지 않은 토픽이 없습니다" - category: "더 이상 {{category}}에 토픽이 없습니다" - top: "더 이상 인기 토픽이 없습니다." - bookmarks: "더이상 북마크한 토픽이 없습니다." + latest: "더 이상 읽을 최신 주제가 없습니다" + hot: "더 이상 읽을 인기있는 주제가 없습니다" + posted: "더 이상 작성된 주제가 없습니다" + read: "더 이상 읽을 주제가 없습니다" + new: "더 이상 읽을 새로운 주제가 없습니다." + unread: "더 이상 읽지 않은 주제가 없습니다" + category: "더 이상 {{category}}에 주제가 없습니다" + top: "더 이상 인기 주제가 없습니다." + bookmarks: "더이상 북마크한 주제가 없습니다." search: "더이상 검색 결과가 없습니다." topic: unsubscribe: stop_notifications: "{{title}}에 대한 알림은 이제 덜 받게 됩니다." change_notification_state: "현재 당신의 알림 설정 : " - filter_to: " {{post_count}} 게시글 in 토픽" - create: '새 토픽 만들기' - create_long: '새로운 토픽 만들기' + filter_to: "이 주제에 {{post_count}}개의 글이 있습니다" + create: '새 주제 만들기' + create_long: '새로운 주제 만들기' private_message: '메시지 시작' archive_message: help: '메시지를 아카이브로 옮기기' @@ -1015,53 +1007,53 @@ ko: move_to_inbox: title: '수신함으로 이동' help: '메시지를 편지함으로 되돌리기' - list: '토픽 목록' - new: '새로운 토픽' + list: '주제 목록' + new: '새로운 주제' unread: '읽지 않은' new_topics: - other: '{{count}}개의 새로운 토픽' + other: '{{count}}개의 새로운 주제' unread_topics: - other: '{{count}}개의 읽지 않은 토픽' - title: '토픽' + other: '{{count}}개의 읽지 않은 주제' + title: '주제' invalid_access: - title: "이 토픽은 비공개입니다" - description: "죄송합니다. 그 토픽에 접근 할 수 없습니다!" - login_required: "해당 토픽을 보려면 로그인이 필요합니다." + title: "이 주제는 비공개입니다" + description: "죄송합니다. 그 주제에 접근 할 수 없습니다!" + login_required: "해당 주제를 보려면 로그인이 필요합니다." server_error: - title: "토픽을 불러오지 못했습니다" - description: "죄송합니다. 연결 문제로 인해 해당 토픽을 불러올 수 없습니다. 다시 시도하십시오. 문제가 지속되면 문의해 주시기 바랍니다" + title: "주제를 불러오지 못했습니다" + description: "죄송합니다. 연결 문제로 인해 해당 주제를 불러올 수 없습니다. 다시 시도하십시오. 문제가 지속되면 문의해 주시기 바랍니다" not_found: - title: "토픽을 찾을 수 없습니다" - description: "죄송합니다. 토픽을 찾을 수 없습니다. 아마도 운영자에 의해 삭제된 것 같습니다." + title: "주제를 찾을 수 없습니다" + description: "죄송합니다. 주제를 찾을 수 없습니다. 아마도 운영자에 의해 삭제된 것 같습니다." total_unread_posts: - other: "이 토픽에 {{count}}개의 읽지 않을 게시 글이 있습니다." + other: "이 주제에 {{count}}개의 읽지 않을 게시 글이 있습니다." unread_posts: - other: "이 토픽에 {{count}}개의 읽지 않을 게시 글이 있습니다." + other: "이 주제에 {{count}}개의 읽지 않을 게시 글이 있습니다." new_posts: - other: "최근 읽은 이후 {{count}}개 글이 이 토픽에 작성되었습니다." + other: "최근 읽은 이후 {{count}}개 글이 이 주제에 작성되었습니다." likes: - other: "이 토픽에 {{count}}개의 '좋아요'가 있습니다." - back_to_list: "토픽 리스트로 돌아갑니다." - options: "토픽 옵션" - show_links: "이 토픽에서 링크를 표시합니다." - toggle_information: "토픽의 세부 정보를 토글합니다." - read_more_in_category: "더 많은 토픽들은 {{catLink}} 또는 {{latestLink}}에서 찾으실 수 있습니다" + other: "이 주제에 {{count}}개의 '좋아요'가 있습니다." + back_to_list: "주제 리스트로 돌아갑니다." + options: "주제 옵션" + show_links: "이 주제에서 링크를 표시합니다." + toggle_information: "주제의 세부 정보를 토글합니다." + read_more_in_category: "더 읽을거리가 필요하신가요? {{catLink}} 또는 {{latestLink}}를 살펴보세요." read_more: "{{catLink}} 또는 {{latestLink}}에서 더 많은 토픽들을 찾으실 수 있습니다" - read_more_MF: "이 카테고리에 { UNREAD, plural, =0 {} one { is 1개의 안 읽은 } other { are #개의 안 읽은 } } { NEW, plural, =0 {} one { {BOTH, select, true{and } false {is } other{}} 1개의 새로운 토픽이} other { {BOTH, select, true{and } false {are } other{}} # 새로운 토픽이} } 남아 있고, {CATEGORY, select, true {{catLink} 토픽도 확인해보세요.} false {{latestLink}} other {}}" + read_more_MF: "이 카테고리에 { UNREAD, plural, =0 {} one { is 1개의 안 읽은 } other { are #개의 안 읽은 } } { NEW, plural, =0 {} one { {BOTH, select, true{and } false {is } other{}} 1개의 새로운 주제가} other { {BOTH, select, true{and } false {are } other{}} # 새로운 주제가} } 남아 있고, {CATEGORY, select, true {{catLink} 주제도 확인해보세요.} false {{latestLink}} other {}}" browse_all_categories: 모든 카테고리 보기 - view_latest_topics: 최신 토픽 보기 - suggest_create_topic: 토픽(글)을 작성 해 보실래요? + view_latest_topics: 최신 주제 보기 + suggest_create_topic: 새 주제를 작성 해 보실래요? jump_reply_up: 이전 답글로 이동 jump_reply_down: 이후 답글로 이동 - deleted: "토픽이 삭제되었습니다" - auto_close_notice: "이 토픽은 곧 자동으로 닫힙니다. %{timeLeft}." - auto_close_notice_based_on_last_post: "이 토픽은 마지막 답글이 달린 %{duration} 후 닫힙니다." + deleted: "주제가 삭제되었습니다" + auto_close_notice: "이 주제는 곧 자동으로 닫힙니다. %{timeLeft}." + auto_close_notice_based_on_last_post: "이 주제는 마지막 답글이 달린 %{duration} 후 닫힙니다." auto_close_title: '자동으로 닫기 설정' auto_close_save: "저장" - auto_close_remove: "이 토픽을 자동으로 닫지 않기" - auto_close_immediate: "토픽에 마지막 글이 올라온 지 %{hours} 시간 지났기 때문에 이 토픽은 즉시 닫힐 예정입니다." + auto_close_remove: "이 주제를 자동으로 닫지 않기" + auto_close_immediate: "주제에 마지막 글이 올라온 지 %{hours} 시간 지났기 때문에 이 주제는 즉시 닫힐 예정입니다." progress: - title: 진행 중인 토픽 + title: 진행 중인 주제 go_top: "맨위" go_bottom: "맨아래" go: "이동" @@ -1074,30 +1066,30 @@ ko: reasons: '3_6': '이 카테고리를 보고 있어서 알림을 받게 됩니다.' '3_5': '자동으로 이 글을 보고있어서 알림을 받게 됩니다.' - '3_2': '이 토픽을 보고있어서 알림을 받게 됩니다.' - '3_1': '이 토픽을 생성하여서 알림을 받게 됩니다.' - '3': '이 토픽을 보고있어서 알림을 받게 됩니다.' - '2_8': '이 토픽을 추적하고 있어서 알림을 받게 됩니다.' - '2_4': '이 토픽에 답글을 게시하여서 알림을 받게 됩니다.' - '2_2': '이 토픽을 추적하고 있어서 알림을 받게 됩니다.' - '2': '이 토픽을 읽어서 알림을 받게 됩니다. (설정)' + '3_2': '이 주제를 보고있어서 알림을 받게 됩니다.' + '3_1': '이 주제를 생성하여서 알림을 받게 됩니다.' + '3': '이 주제를 보고있어서 알림을 받게 됩니다.' + '2_8': '이 주제를 추적하고 있어서 알림을 받게 됩니다.' + '2_4': '이 주제에 답글을 게시하여서 알림을 받게 됩니다.' + '2_2': '이 주제를 추적하고 있어서 알림을 받게 됩니다.' + '2': '이 주제를 읽어서 알림을 받게 됩니다. (설정)' '1_2': '누군가 내 @아아디 으로 멘션했거나 내 글에 답글이 달릴 때 알림을 받게 됩니다.' '1': '누군가 내 @아아디 으로 멘션했거나 내 글에 답글이 달릴 때 알림을 받게 됩니다.' - '0_7': '이 토픽에 관한 모든 알림을 무시하고 있습니다.' - '0_2': '이 토픽에 관한 모든 알림을 무시하고 있습니다.' - '0': '이 토픽에 관한 모든 알림을 무시하고 있습니다.' + '0_7': '이 주제에 관한 모든 알림을 무시하고 있습니다.' + '0_2': '이 주제에 관한 모든 알림을 무시하고 있습니다.' + '0': '이 주제에 관한 모든 알림을 무시하고 있습니다.' watching_pm: title: "알림 : 주시 중" description: "이 메시지에 새로운 답글이 있을 때 알림을 받게 되며 새로운 답글의 개수는 표시됩니다." watching: title: "주시 중" - description: "이 토픽에 새로운 답글이 있을 때 알림을 받게 되며 새로운 답글의 개수는 표시됩니다." + description: "이 주제에 새로운 답글이 있을 때 알림을 받게 되며 새로운 답글의 개수는 표시됩니다." tracking_pm: title: "알림 : 새 글 표시 중" description: "이 메시지의 읽지않은 응답의 수가 표시됩니다. 누군가 내 @아이디를 멘션했거나 내게 답글을 작성하면 알림을 받습니다." tracking: title: "새 글 표시 중" - description: "이 토픽의 새로운 답글의 수가 표시됩니다. 누군가 내 @아이디를 멘션했거나 내게 답글을 작성하면 알림을 받습니다." + description: "이 주제의 새로운 답글의 수가 표시됩니다. 누군가 내 @아이디를 멘션했거나 내게 답글을 작성하면 알림을 받습니다." regular: title: "알림 : 일반" description: "누군가 내 @아아디 으로 멘션했거나 내 글에 답글이 달릴 때 알림을 받게 됩니다." @@ -1109,64 +1101,64 @@ ko: description: "이 메시지에 대해 어떠한 알림도 받지 않지 않습니다." muted: title: "알림 없음" - description: "이 토픽에 대해 어떠한 알림도 받지 않고 최신글 목록에도 나타나지 않을 것입니다." + description: "이 주제에 대해 어떠한 알림도 받지 않고 최신글 목록에도 나타나지 않을 것입니다." actions: - recover: "토픽 다시 복구" - delete: "토픽 삭제" - open: "토픽 열기" - close: "토픽 닫기" + recover: "주제 다시 복구" + delete: "주제 삭제" + open: "주제 열기" + close: "주제 닫기" multi_select: "글 선택" auto_close: "자동으로 닫기..." - pin: "토픽 고정..." - unpin: "토픽 고정 취소..." - unarchive: "토픽 보관 취소" - archive: "토픽 보관" + pin: "주제 고정..." + unpin: "주제 고정 취소..." + unarchive: "주제 보관 취소" + archive: "주제 보관" invisible: "목록에서 제외하기" visible: "목록에 넣기" reset_read: "값 재설정" feature: - pin: "토픽 고정" - unpin: "토픽 고정 취소" - pin_globally: "전역적으로 토픽 고정" - make_banner: "배너 토픽" - remove_banner: "배너 토픽 제거" + pin: "주제 고정" + unpin: "주제 고정 취소" + pin_globally: "전체 공지글로 설정하기" + make_banner: "배너 주제" + remove_banner: "배너 주제 제거" reply: title: '답글' - help: '이 토픽에 대한 답글 작성 시작' + help: '이 주제에 대한 답글 작성 시작' clear_pin: title: "고정 취소" - help: "더 이상 목록의 맨 위에 표시하지 않도록 이 토픽의 고정 상태를 해제합니다." + help: "더 이상 목록의 맨 위에 표시하지 않도록 이 주제의 고정 상태를 해제합니다." share: title: '공유' - help: '이 토픽의 링크를 공유' + help: '이 주제의 링크를 공유' flag_topic: title: '신고하기' - help: '이 토픽을 주의깊게 보거나 비밀리에 주의성 알림을 보내기 위해 신고합니다' + help: '이 주제를 주의깊게 보거나 비밀리에 주의성 알림을 보내기 위해 신고합니다' success_message: '신고했습니다' feature_topic: - title: "Feature 토픽" - pin: " {{categoryLink}} 카테고리 토픽 목록 상단에 고정 until" - confirm_pin: "이미 {{count}}개의 고정된 토픽이 있습니다. 너무 많은 토픽이 고정되어 있으면 새로운 사용자나 익명사용자에게 부담이 될 수 있습니다. 정말로 이 카테고리에 추가적으로 토픽을 고정하시겠습니까?" - unpin: "이 토픽을 {{categoryLink}} 카테고리 상단에서 제거 합니다." - unpin_until: "{{categoryLink}} 카테고리 토픽 목록 상단에서 이 토픽을 제거하거나 %{until}까지 기다림." - pin_note: "개별적으로 사용자가 토픽 고정을 취소할 수 있습니다." - pin_validation: "토픽을 고정하려면 날짜를 지정해야 합니다." - not_pinned: " {{categoryLink}} 카테고리에 고정된 토픽이 없습니다." + title: "주요 주제로 설정" + pin: " {{categoryLink}} 카테고리 주제 목록 상단에 고정 until" + confirm_pin: "이미 {{count}}개의 고정된 주제가 있습니다. 너무 많은 주제가 고정되어 있으면 새로운 사용자나 익명사용자에게 부담이 될 수 있습니다. 정말로 이 카테고리에 추가적으로 주제를 고정하시겠습니까?" + unpin: "이 주제를 {{categoryLink}} 카테고리 상단에서 제거 합니다." + unpin_until: "{{categoryLink}} 카테고리 주제 목록 상단에서 이 주제를 제거하거나 %{until}까지 기다림." + pin_note: "개별적으로 사용자가 주제 고정을 취소할 수 있습니다." + pin_validation: "주제를 고정하려면 날짜를 지정해야 합니다." + not_pinned: " {{categoryLink}} 카테고리에 고정된 주제가 없습니다." already_pinned: - other: "{{categoryLink}}에 고정된 토픽 갯수: {{count}}" - pin_globally: "모든 토픽 목록 상단 고정 until" - confirm_pin_globally: "이미 {{count}}개의 토픽이 전역적으로 고정되어 있습니다. 너무 많은 토픽이 고정되어 있으면 새로운 사용자나 익명사용자에게 부담이 될 수 있습니다. 정말로 이 토픽을 전역적으로 고정하시겠습니까?" - unpin_globally: "모든 토픽 목록 상단에서 이 토픽을 제거" - unpin_globally_until: "모든 토픽 목록 상단에서 이 토픽을 제거하거나 %{until}까지 기다림." - global_pin_note: "개별적으로 사용자가 토픽 고정을 취소할 수 있습니다." - not_pinned_globally: "전역적으로 고정된 토픽이 없습니다." + other: "{{categoryLink}}에 고정된 주제 개수: {{count}}" + pin_globally: "모든 주제 목록 상단 고정 until" + confirm_pin_globally: "이미 {{count}}개의 주제가 전체 공지로 고정되어 있습니다. 너무 많은 주제가 고정되어 있으면 새로운 사용자나 익명사용자에게 부담이 될 수 있습니다. 정말로 이 주제를 전체 공지로 고정하겠습니까?" + unpin_globally: "모든 주제 목록 상단에서 이 주제를 제거" + unpin_globally_until: "모든 주제 목록 상단에서 이 주제를 제거하거나 %{until}까지 기다림." + global_pin_note: "개별적으로 사용자가 주제 고정을 취소할 수 있습니다." + not_pinned_globally: "전체 공지된 주제가 없습니다." already_pinned_globally: - other: "전역적으로 고정된 토픽 갯수: {{count}}" - make_banner: "이 토픽을 모든 페이지의 상단에 나타나는 배너로 만들기" + other: "전체 공지된 주제 개수: {{count}}" + make_banner: "이 주제를 모든 페이지의 상단에 나타나는 배너로 만들기" remove_banner: "모든 페이지에서 나타나는 배너에서 제거" - banner_note: "사용자는 배너를 닫음으로써 배너를 나타나지 않게 할 수 있습니다. 단지 어떤 기간동안 딱 하나의 토픽만이 배너로 지정 가능합니다." - no_banner_exists: "배너 토픽이 없습니다." - banner_exists: "현재 배너 토픽이 있습니다." + banner_note: "사용자는 배너를 닫음으로써 배너를 나타나지 않게 할 수 있습니다. 단지 어떤 기간동안 딱 하나의 주제만이 배너로 지정 가능합니다." + no_banner_exists: "배너 주제가 없습니다." + banner_exists: "현재 배너 주제가 있습니다." inviting: "초대 중..." invite_private: title: '초대 메시지' @@ -1180,16 +1172,16 @@ ko: title: '초대하기' username_placeholder: "아이디" action: '초대장 보내기' - help: '이메일을 통해 다른 사람을 이 토픽에 초대합니다.' + help: '이메일을 통해 다른 사람을 이 주제에 초대합니다.' to_forum: "친구에게 요약 이메일을 보내고 이 포럼에 가입할 수 있도록 링크를 전송합니다." - sso_enabled: "이 토픽에 초대하고 싶은 사람의 아이디를 입력하세요." - to_topic_blank: "이 토픽에 초대하고 싶은 사람의 아이디나 이메일주소를 입력하세요." - to_topic_email: "이메일 주소를 입력하셨습니다. 친구들에게 이 토픽에 답변 달기가 가능하도록 조치하는 초대장을 보내겠습니다." - to_topic_username: "아이디를 입력하셨습니다. 이 토픽에 초대하는 링크와 함께 알림을 보내겠습니다." - to_username: "초대하려는 사용자의 아이디를 입력하세요. 이 토픽에 초대하는 링크와 함께 알림을 보내겠습니다." + sso_enabled: "이 주제에 초대하고 싶은 사람의 아이디를 입력하세요." + to_topic_blank: "이 주제에 초대하고 싶은 사람의 아이디나 이메일주소를 입력하세요." + to_topic_email: "이메일 주소를 입력하셨습니다. 친구들에게 이 주제에 답변 달기가 가능하도록 조치하는 초대장을 보내겠습니다." + to_topic_username: "아이디를 입력하셨습니다. 이 주제에 초대하는 링크와 함께 알림을 보내겠습니다." + to_username: "초대하려는 사용자의 아이디를 입력하세요. 이 주제에 초대하는 링크와 함께 알림을 보내겠습니다." email_placeholder: '이메일 주소' success_email: "{{emailOrUsername}}로 초대장을 발송했습니다. 초대를 수락하면 알려 드리겠습니다. 초대상태를 확인하려면 사용자 페이지에서 '초대장' 탭을 선택하세요." - success_username: "사용자가 이 토픽에 참여할 수 있도록 초대했습니다." + success_username: "사용자가 이 주제에 참여할 수 있도록 초대했습니다." error: "그 사람을 초대할 수 없습니다. 혹시 이미 초대하진 않았나요? (Invites are rate limited)" login_reply: '로그인하고 답글 쓰기' filters: @@ -1197,18 +1189,18 @@ ko: other: "{{count}} 글" cancel: "필터 제거" split_topic: - title: "새로운 토픽으로 이동" - action: "새로운 토픽으로 이동" - topic_name: "새로운 토픽 이름" - error: "새로운 토픽으로 이동시키는데 문제가 발생하였습니다." + title: "새로운 주제로 이동" + action: "새로운 주제로 이동" + topic_name: "새로운 주제 이름" + error: "새로운 주제로 이동시키는데 문제가 발생하였습니다." instructions: - other: "새로운 토픽을 생성하여, 선택한 {{count}}개의 글로 채우려고 합니다." + other: "새로운 주제를 생성하여, 선택한 {{count}}개의 글로 채우려고 합니다." merge_topic: - title: "이미 있는 토픽으로 옮기기" - action: "이미 있는 토픽으로 옮기기" - error: "이 토픽을 이동시키는데 문제가 발생하였습니다." + title: "이미 있는 주제로 옮기기" + action: "이미 있는 주제로 옮기기" + error: "이 주제를 이동시키는데 문제가 발생하였습니다." instructions: - other: " {{count}}개의 글을 옮길 토픽을 선택해주세요." + other: " {{count}}개의 글을 옮길 주제를 선택해주세요." change_owner: title: "글 소유자 변경" action: "작성자 바꾸기" @@ -1222,7 +1214,7 @@ ko: title: "타임스탬프 변경" action: "타임스탬프 변경" invalid_timestamp: "타임스탬프는 미래값으로 할 수 없습니다." - error: "토픽 타임스탬프를 바꾸는 중 에러가 발생하였습니다." + error: "주제의 시간을 변경하는 중 오류가 발생하였습니다." multi_select: select: '선택' selected: '({{count}})개가 선택됨' @@ -1241,7 +1233,7 @@ ko: edit_reason: "Reason: " post_number: "{{number}}번째 글" last_edited_on: "마지막으로 편집:" - reply_as_new_topic: "연결된 토픽으로 답글 작성하기" + reply_as_new_topic: "연결된 주제로 답글 작성하기" continue_discussion: "{{postLink}}에서 토론을 계속:" follow_quote: "인용 글로 이동" show_full: "전체 글 보기" @@ -1275,7 +1267,7 @@ ko: confirm: "글 작성을 취소 하시겠습니까?" no_value: "아니오" yes_value: "예" - via_email: "이 토픽은 이메일을 통해 등록되었습니다." + via_email: "이 주제는 이메일을 통해 등록되었습니다." whisper: "이 포스트는 운영자를 위한 비공개 귓말입니다." wiki: about: "이 글은 위키(wiki) 입니다." @@ -1287,8 +1279,8 @@ ko: has_liked: "이 글을 좋아합니다." undo_like: "'좋아요' 취소" edit: "이 글 편집" - edit_anonymous: "이 토픽을 수정하려면 먼저 로그인을 해야합니다." - flag: "이 토픽에 관심을 가지기 위해 깃발을 표시해두고 개인적으로 알림을 받습니다" + edit_anonymous: "이 주제를 수정하려면 먼저 로그인을 해야합니다." + flag: "이 주제에 관심을 가지기 위해 깃발을 표시해두고 개인적으로 알림을 받습니다" delete: "이 글을 삭제합니다." undelete: "이 글 삭제를 취소합니다." share: "이 글에 대한 링크를 공유합니다." @@ -1406,10 +1398,10 @@ ko: choose: '카테고리를 선택하세요…' edit: '편집' edit_long: "카테고리 편집" - view: '카테고리안의 토픽보기' + view: '카테고리 안의 주제 보기' general: '장군' settings: '설정' - topic_template: "토픽 템플릿" + topic_template: "주제 템플릿" delete: '카테고리 삭제' create: '새 카테고리' create_long: '새 카테고리 만들기' @@ -1420,7 +1412,7 @@ ko: save_error: 카테고리 저장 중 오류가 발생했습니다. name: "카테고리 이름" description: "설명" - topic: "카테고리 토픽" + topic: "카테고리 주제" logo: "카테고리 로고 이미지" background_image: "카테고리 백그라운드 이미지" badge_colors: "배지 색상" @@ -1436,11 +1428,11 @@ ko: already_used: '이 색은 다른 카테고리에서 사용되고 있습니다.' security: "보안" images: "이미지" - auto_close_label: "토픽 자동 닫기 :" + auto_close_label: "주제 자동 닫기 :" auto_close_units: "시간" email_in: "incoming 메일 주소 수정" email_in_allow_strangers: "계정이 없는 익명 유저들에게 이메일을 받습니다." - email_in_disabled: "이메일로 새 토픽 작성하기 기능이 비활성화되어 있습니다. 사이트 설정에서 '이메일로 새 토픽작성하기'를 활성화 해주세요." + email_in_disabled: "이메일로 새 주제 작성하기 기능이 비활성화되어 있습니다. 사이트 설정에서 '이메일로 새 주제 작성하기'를 활성화 해주세요." email_in_disabled_click: '"email in" 활성화' suppress_from_homepage: "홈페이지에서 이 카테고리를 감춥니다." allow_badges_label: "배지가 이 카테고리에서 주어질 수 있도록 허용" @@ -1468,7 +1460,7 @@ ko: take_action: "조치하기" notify_action: '메시지 보내기' delete_spammer: "네, 스패머 회원을 삭제합니다" - delete_confirm: "이 회원의 글 %{posts}개 및 토픽 %{topics}개를 삭제하고 IP주소 %{ip_address}와 이메일 %{email}을 영구 차단하려고 합니다. 이 회원이 정말 스패머 확실합니까?" + delete_confirm: "이 회원의 글 %{posts}개 및 주제 %{topics}개를 삭제하고 IP주소 %{ip_address}와 이메일 %{email}을 영구 차단하려고 합니다. 이 회원이 정말 스패머가 확실합니까?" yes_delete_spammer: "예, 스팸 회원을 삭제합니다" ip_address_missing: "(알 수 없음)" hidden_email_address: "(숨김)" @@ -1487,49 +1479,48 @@ ko: left: "{{n}} 나머지" flagging_topic: title: "우리 커뮤니티 질서를 지키는데 도와주셔서 감사합니다!" - action: "토픽 신고하기" + action: "주제 신고하기" notify_action: "메시지 보내기" topic_map: - title: "토픽 요약" + title: "주제 요약" participants_title: "빈번한 게시자" links_title: "인기 링크" - links_shown: "show all {{totalLinks}} links..." clicks: other: "%{count}번 클릭" topic_statuses: warning: help: "공식적인 주의입니다." bookmarked: - help: "북마크한 토픽" + help: "북마크한 주제" locked: - help: "이 토픽은 폐쇄되었습니다. 더 이상 새 답글을 받을 수 없습니다." + help: "이 주제는 폐쇄되었습니다. 더 이상 새 답글을 받을 수 없습니다." archived: - help: "이 토픽은 보관중입니다. 고정되어 변경이 불가능합니다." + help: "이 주제는 보관중입니다. 고정되어 변경이 불가능합니다." unpinned: title: "핀 제거" - help: "이 토픽은 핀 제거 되었습니다. 목록에서 일반적인 순서대로 표시됩니다." + help: "이 주제는 핀 제거 되었습니다. 목록에서 일반적인 순서대로 표시됩니다." pinned_globally: title: "핀 지정됨 (전역적)" pinned: title: "핀 지정됨" - help: "이 토픽은 고정되었습니다. 카테고리의 상단에 표시됩니다." + help: "이 주제는 고정되었습니다. 카테고리의 상단에 표시됩니다." invisible: - help: "이 토픽은 목록에서 제외됩니다. 토픽 목록에 표시되지 않으며 링크를 통해서만 접근 할 수 있습니다." + help: "이 주제는 목록에서 제외됩니다. 주제 목록에 표시되지 않으며 링크를 통해서만 접근 할 수 있습니다." posts: "글" posts_lowercase: "글" - posts_long: "이 토픽의 글 수는 {{number}}개 입니다." + posts_long: "이 주제의 글 수는 {{number}}개 입니다." posts_likes_MF: | This topic has {count, plural, one {1 reply} other {# replies}} {ratio, select, - low {with a high like to post ratio} - med {with a very high like to post ratio} - high {with an extremely high like to post ratio} - other {}} + low {with a high like to post ratio} + med {with a very high like to post ratio} + high {with an extremely high like to post ratio} + other {}} original_post: "원본 글" views: "조회수" views_lowercase: other: "조회" replies: "답변" - views_long: "이 토픽은 {{number}}번 읽혔습니다." + views_long: "이 주제는 {{number}}번 읽혔습니다." activity: "활동" likes: "좋아요" likes_lowercase: @@ -1546,31 +1537,31 @@ ko: not_available: "Raw 이메일이 가능하지 않습니다." categories_list: "카테고리 목록" filters: - with_topics: "%{filter} 토픽" - with_category: "%{filter} %{category} 토픽" + with_topics: "%{filter} 주제" + with_category: "%{filter} %{category} 주제" latest: title: "최근글" title_with_count: other: "최근글 ({{count}})" - help: "가장 최근 토픽" + help: "가장 최근 주제" hot: title: "인기 있는 글" - help: "가장 인기있는 토픽 중 하나를 선택" + help: "가장 인기있는 주제 중 하나를 선택" read: title: "읽기" - help: "마지막으로 순서대로 읽은 토픽" + help: "마지막으로 순서대로 읽은 주제" search: title: "검색" - help: "모든 토픽 검색" + help: "모든 주제 검색" categories: title: "카테고리" title_in: "카테고리 - {{categoryName}}" - help: "카테고리별로 그룹화 된 모든 토픽" + help: "카테고리별로 그룹화 된 모든 주제" unread: title: "읽지 않은 글" title_with_count: other: "읽지 않은 글 ({{count}})" - help: "지켜보거나 추적 중인 읽지 않은 토픽 " + help: "지켜보거나 추적 중인 읽지 않은 주제" lower_title_with_count: other: "{{count}} unread" new: @@ -1580,21 +1571,21 @@ ko: title: "새글" title_with_count: other: "새글 ({{count}})" - help: "며칠 내에 만들어진 토픽" + help: "며칠 내에 만들어진 주제" posted: title: "내 글" help: "내가 게시한 글" bookmarks: title: "북마크" - help: "북마크된 토픽" + help: "북마크된 주제" category: title: "{{categoryName}}" title_with_count: other: "{{categoryName}} ({{count}})" - help: "{{categoryName}}카테고리의 최신 토픽" + help: "{{categoryName}}카테고리의 최신 주제" top: title: "인기글" - help: "작년 또는 지난 달, 지난 주, 어제에 활발했던 토픽" + help: "작년 또는 지난 달, 지난 주, 어제에 활발했던 주제" all: title: "전체 시간" yearly: @@ -1622,6 +1613,10 @@ ko: keyboard_shortcuts_help: jump_to: title: '이동' + badges: + title: 배지 + badge_count: + other: "%{count}개의 배지" admin_js: type_to_filter: "필터를 입력하세요" admin: @@ -1694,18 +1689,18 @@ ko: delete: "삭제" delete_title: "신고에서 멘션된 글 삭제하기" delete_post_defer_flag: "글을 삭제하고 신고를 보류함" - delete_post_defer_flag_title: "글을 삭제하고 첫번째 글이면 토픽 삭제하기" + delete_post_defer_flag_title: "글을 삭제하고 첫번째 글이면 주제 삭제하기" delete_post_agree_flag: "글을 삭제하고 신고에 동의함" - delete_post_agree_flag_title: "글을 삭제하고 첫번째 글이면 토픽 삭제하기" + delete_post_agree_flag_title: "글을 삭제하고 첫번째 글이면 주제 삭제하기" delete_flag_modal_title: "삭제하고.." delete_spammer: "스패머 삭제" - delete_spammer_title: "글쓴이의 모든 글과 토픽을 삭제하고 회원계정도 제거하기" + delete_spammer_title: "글쓴이의 모든 글과 주제를 삭제하고 회원계정도 제거하기" disagree_flag_unhide_post: "동의안함 (글 숨김 취소)" disagree_flag_unhide_post_title: "글의 모든 신고를 삭제하고 글을 볼 수 있도록 변경" disagree_flag: "동의안함" disagree_flag_title: "신고를 유효하지 않거나 올바르지 않은 것으로 거부함" clear_topic_flags: "완료" - clear_topic_flags_title: "토픽 조사를 끝냈고 이슈를 해결했습니다. 신고를 지우기 위해 완료를 클릭하세요" + clear_topic_flags_title: "주제 조사를 끝냈고 이슈를 해결했습니다. 신고를 지우기 위해 완료를 클릭하세요" more: "(더 많은 답글...)" dispositions: agreed: "agreed" @@ -1718,8 +1713,8 @@ ko: error: "뭔가 잘못 됐어요" reply_message: "답글" no_results: "신고가 없습니다." - topic_flagged: "이 토픽 은 신고 되었습니다." - visit_topic: "처리하기 위해 토픽으로 이동" + topic_flagged: "이 주제 는 신고 되었습니다." + visit_topic: "처리하기 위해 주제로 이동" was_edited: "첫 신고 이후에 글이 수정되었음" previous_flags_count: "이 글은 이미 {{count}}번 이상 신고 되었습니다." summary: @@ -1776,7 +1771,7 @@ ko: revoke: "폐지" confirm_regen: "API 키를 새로 발급 받으시겠습니까?" confirm_revoke: "API 키를 폐지하겠습니까?" - info_html: "당신의 API 키는 JSON콜을 이용하여 토픽을 생성하거나 수정할 수 있습니다." + info_html: "당신의 API 키는 JSON콜을 이용하여 주제를 생성하거나 수정할 수 있습니다." all_users: "전체 유저" note_html: "이 키의 보안에 특별히 주의하세요. 이 키를 아는 모든 사용자는 다른 사용자의 이름으로 글을 작성할 수 있습니다." plugins: @@ -1927,7 +1922,7 @@ ko: description: "사이트 헤더에 텍스트와 아이콘" highlight: name: '하이라이트' - description: '페이지 내에 강조된 글 및 토픽 등의 배경색' + description: '페이지 내에 강조된 글 및 주제 등의 배경색' danger: name: '위험' description: '글 삭제 등에 사용되는 강조색' @@ -1999,7 +1994,7 @@ ko: last_match_at: "마지막 방문" match_count: "방문" ip_address: "IP" - topic_id: "토픽 ID" + topic_id: "주제 ID" post_id: "글 ID" category_id: "카테고리 ID" delete: '삭제' @@ -2038,7 +2033,7 @@ ko: grant_badge: "배지 부여" revoke_badge: "배지 회수" check_email: "이메일 확인" - delete_topic: "토픽 삭제" + delete_topic: "주제 삭제" delete_post: "글 삭제" impersonate: "대역" anonymize_user: "anonymize user" @@ -2143,7 +2138,7 @@ ko: suspend_reason: "Reason" suspended_by: "접근 금지자" delete_all_posts: "모든 글을 삭제합니다" - delete_all_posts_confirm: "%{posts}개의 글과 %{topics}개의 토픽을 지우려고 합니다. 확실합니까?" + delete_all_posts_confirm: "%{posts}개의 글과 %{topics}개의 주제를 지우려고 합니다. 확실합니까?" suspend: "접근 금지" unsuspend: "접근 허용" suspended: "접근 금지?" @@ -2172,10 +2167,10 @@ ko: activity: 활동 like_count: 준/받은 '좋아요' last_100_days: '지난 100일간' - private_topics_count: 비공개 토픽 수 + private_topics_count: 비공개 주제 수 posts_read_count: 글 읽은 수 post_count: 글 수 - topics_entered: 읽은 토픽 수 + topics_entered: 읽은 주제 수 flags_given_count: 작성한 신고 flags_received_count: 받은 신고 warnings_received_count: 받은 경고 @@ -2212,11 +2207,11 @@ ko: deactivate_failed: "사용자 비활성에 문제가 있습니다." unblock_failed: '사용자 언블락에 문제가 있습니다.' block_failed: '사용자 블락에 문제가 있습니다.' - block_confirm: '정말로 이 사용자를 차단하겠습니까? 차단된 사용자는 어떠한 토픽이나 포스트도 작성할 수 없습니다.' + block_confirm: '정말로 이 사용자를 차단하겠습니까? 차단된 사용자는 어떠한 주제나나 글도 작성할 수 없습니다.' block_accept: '네, 이 사용자를 차단합니다.' deactivate_explanation: "비활성화 사용자는 이메일 인증을 다시 받아야합니다." suspended_explanation: "접근 금지된 유저는 로그인 할 수 없습니다." - block_explanation: "블락 사용자는 글을 작성하거나 토픽을 작성할 수 없습니다." + block_explanation: "차단된 사용자는 글을 작성하거나 주제를 작성할 수 없습니다." trust_level_change_failed: "회원등급 변경에 실패했습니다." suspend_modal_title: "거부된 사용자" trust_level_2_users: "2등급 회원들" @@ -2232,9 +2227,9 @@ ko: requirement_heading: "자격요건" visits: "방문횟수" days: "일" - topics_replied_to: "댓글 달은 토픽 갯수" - topics_viewed: "열어본 토픽 갯수" - topics_viewed_all_time: "열어본 토픽 갯수 (전체 기간)" + topics_replied_to: "댓글 달은 주제 개수" + topics_viewed: "열어본 주제 개수" + topics_viewed_all_time: "열어본 주제 개수 (전체 기간)" posts_read: "읽은 글 갯수" posts_read_all_time: "읽은 글 갯수 (전체 기간)" flagged_posts: "신고당한 글 갯수" @@ -2342,7 +2337,7 @@ ko: modal_title: 배지 그룹으로 나누기 granted_by: 배지 부여자 granted_at: 배지 수여일 - reason_help: (토픽 또는 댓글로 가는 링크) + reason_help: (주제 또는 댓글로 가는 링크) save: 저장 delete: 삭제 delete_confirm: 정말로 이 배지를 삭제할까요? @@ -2403,7 +2398,7 @@ ko: embedding: get_started: "다른 웹사이트에 Discourse를 임베드하려면 호스트 추가부터 하세요" confirm_delete: "정말로 host를 삭제할까요?" - sample: "Discourse 토픽을 웨사이트에 삽입(embed)하기 위해 다음 HTML코드를 이용하세요. REPLACE_ME 부분을 당신이 삽입하려는 웨사이트의 정식URL로 바꿔치기 하시면 됩니다." + sample: "Discourse 주제를 웨사이트에 삽입(embed)하기 위해 다음 HTML코드를 이용하세요. REPLACE_ME 부분을 당신이 삽입하려는 웹사이트의 정식URL로 교체 하면 됩니다." title: "삽입(Embedding)" host: "허용 Host" edit: "편집" @@ -2414,7 +2409,7 @@ ko: feed_description: "당신 사이트의 RSS/ATOM 피드를 알려주시면 Discourse가 그 사이트 컨텐트를 더 잘 가져올 수 있습니다." crawling_settings: "크롤러 설정" crawling_description: "When Discourse creates topics for your posts, if no RSS/ATOM feed is present it will attempt to parse your content out of your HTML. Sometimes it can be challenging to extract your content, so we provide the ability to specify CSS rules to make extraction easier." - embed_by_username: "토픽 생성 시 사용할 회원이름(Username)" + embed_by_username: "주제 생성 시 사용할 회원 이름" embed_post_limit: "삽입(embed)할 글 최대갯수" embed_username_key_from_feed: "피드에서 discourse usename을 꺼내오기 위한 키(key)" embed_truncate: "임베드된 글 뒷부분 잘라내기" @@ -2426,8 +2421,8 @@ ko: permalink: title: "고유링크" url: "URL" - topic_id: "토픽 ID" - topic_title: "토픽" + topic_id: "주제 ID" + topic_title: "주제" post_id: "글 ID" post_title: "글" category_id: "카테고리 ID" diff --git a/config/locales/client.nb_NO.yml b/config/locales/client.nb_NO.yml index bc03b67894..50c70993ca 100644 --- a/config/locales/client.nb_NO.yml +++ b/config/locales/client.nb_NO.yml @@ -231,8 +231,6 @@ nb_NO: undo: "Angre" revert: "Reverser" failed: "Mislykket" - switch_to_anon: "Anonym modus" - switch_from_anon: "Avslutt Anonym" banner: close: "Fjern denne banneren" edit: "Endre denne banneren >>" @@ -405,7 +403,6 @@ nb_NO: disable: "Slå av varslinger" enable: "Slå på varslinger" each_browser_note: "Merk: Du må endre denne innstillinger for hver nettleser du bruker." - dismiss_notifications: "Merk alle som lest" dismiss_notifications_tooltip: "Merk alle uleste varslinger som lest" disable_jump_reply: "Ikke hopp til ditt nye innlegg etter svar" dynamic_favicon: "Vis antall nye / oppdaterte emner på nettleser ikonet" @@ -421,9 +418,7 @@ nb_NO: suspended_reason: "Begrunnelse:" github_profile: "Github" watched_categories: "Følger" - watched_categories_instructions: "Du vil automatisk følge alle nye emner i disse kategoriene. Du vil bli varslet om alle nye innlegg og emner. Antallet uleste og nye emner vil også vises." tracked_categories: "Sporet" - tracked_categories_instructions: "Du vil automatisk spore alle nye emner i disse kategoriene. Antallet uleste og nye innlegg vil vises ved emnets oppføring." muted_categories: "Dempet" delete_account: "Slett kontoen min" delete_account_confirm: "Er du sikker på at du vil slette kontoen din permanent? Denne handlingen kan ikke angres!" @@ -458,7 +453,6 @@ nb_NO: title: "Rediger om meg" change_username: title: "Endre brukernavn" - confirm: "Hvis du endrer brukernavn vil alle siteringer av dine innlegg og nevning ved ditt @navn gå i stykker. Er du sikker på at du vil gjøre det?" taken: "Beklager, det brukernavnet er tatt." error: "Det skjedde en feil ved endring av ditt brukernavn." invalid: "Det brukernavnet er ugyldig. Det kan bare inneholde nummer og bokstaver." @@ -535,7 +529,6 @@ nb_NO: always: "alltid" never: "aldri" email_digests: - title: "Send meg sammendrag av hva som er nytt på e-post når jeg ikke er ofte innom:" every_30_minutes: "hvert 30 minutt" every_hour: "hver time" daily: "daglig" @@ -744,10 +737,6 @@ nb_NO: github: title: "med GitHub" message: "Autentiserer med GitHub (sørg for at du tillater pop-up vindu)" - apple_international: "Apple/International" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -841,7 +830,6 @@ nb_NO: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} accepted your invitation
" moved_post: "{{username}} moved {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Ble tildelt '{{description}}'
" alt: mentioned: "Nevnt av" @@ -1084,8 +1072,6 @@ nb_NO: remove_banner: "Fjern banneret som dukker opp på toppen av alle sider. " banner_note: "Brukere kan fjerne banneret ved å lukke det. Kun et emne kan være banner på en og samme tid. " inviting: "Inviterer..." - automatically_add_to_groups_optional: "Denne invitasjonen inkluderer også tilgang på disse gruppene: (valgfritt, kun for admin)" - automatically_add_to_groups_required: "Denne invitasjonen inkluderer også tilgang til disse gruppene: (påkrevet, kun for admin)" invite_private: title: 'Inviter til samtale' email_or_username: "Invitertes e-post eller brukernavn." @@ -1429,7 +1415,6 @@ nb_NO: title: "Emneoppsummering" participants_title: "Hyppige Bidragsytere" links_title: "Populære Lenker" - links_shown: "vis alle {{totalLinks}} linker..." clicks: one: "1 klikk" other: "%{count} klikk" @@ -1457,10 +1442,10 @@ nb_NO: posts_long: "{{number}} innlegg i dette emnet" posts_likes_MF: | This topic has {count, plural, one {1 reply} other {# replies}} {ratio, select, - low {with a high like to post ratio} - med {with a very high like to post ratio} - high {with an extremely high like to post ratio} - other {}} + low {with a high like to post ratio} + med {with a very high like to post ratio} + high {with an extremely high like to post ratio} + other {}} original_post: "Originalt Innlegg" views: "Visninger" views_lowercase: @@ -2315,86 +2300,3 @@ nb_NO: label: "Ny:" add: "Legg til" filter: "Søk (URL eller ekstern URL)" - lightbox: - download: "last ned" - search_help: - title: 'Søke hjelp' - keyboard_shortcuts_help: - title: 'Tastatursnarveier' - jump_to: - title: 'Hopp til' - home: 'g, h Hjem' - latest: 'g, l Siste' - new: 'g, n Nye' - unread: 'g, u Ules' - categories: 'g, c Kategorier' - top: 'g, t Topp' - bookmarks: 'g, b Bokmerker' - navigation: - title: 'Navigasjon' - jump: '# Gå til innlegg #' - back: 'u Tilbake' - up_down: 'k/j Flytt markering ↑ ↓' - open: 'o or Enter Åpne valgt emne' - next_prev: 'shift+j/shift+k Neste/Forrige' - application: - title: 'Applikasjon' - create: 'c Opprett nytt emne' - notifications: 'n Åpne varsler' - user_profile_menu: 'p Åpne brukermenyen' - show_incoming_updated_topics: '. Vis oppdaterte emner' - search: '/ Søk' - help: '? Åpne tastaturhjelp' - dismiss_new_posts: 'x, r Avvis Nye/Innlegg' - dismiss_topics: 'x, t Avvis Emner' - actions: - title: 'Handlinger' - bookmark_topic: 'f Bokmerk emne / Fjern bokmerke' - pin_unpin_topic: 'shift+p Pin/fjern pin fra emne' - share_topic: 'shift+s Del emne' - share_post: 's Del innlegg' - reply_as_new_topic: 't Svar med lenket emne' - reply_topic: 'shift+r Svar på emne' - reply_post: 'r Svar på innlegg' - quote_post: 'q Siter innlegg' - like: 'l Lik innlegg' - flag: '! Rapporter innlegg' - bookmark: 'b Bokmerk innlegg' - edit: 'e Rediger innlegg' - delete: 'd Slett innlegg' - mark_muted: 'm, m Demp emne' - mark_regular: 'm, r Vanlig (standard) emne' - mark_tracking: 'm, t Spor emne' - mark_watching: 'm, w Følg emne' - badges: - title: Merker - badge_count: - one: "1 Merke" - other: "%{count} Merker" - more_badges: - one: "+1 Til" - other: "+%{count} Til" - granted: - one: "1 tildelt" - other: "%{count} tildelt" - select_badge_for_title: Velg et merke å bruke som din tittel - none: "Uitnodiging link succesvol aangemaakt!
Uitnodiging link is alleen geldig voor dit e-mail adres: %{invitedEmail}
' + generate_link: "Kopieer uitnodigingslink" + generated_link_message: 'Uitnodigingslink succesvol aangemaakt!
Uitnodigingslink is alleen geldig voor dit e-mailadres: %{invitedEmail}
' bulk_invite: none: "Je hebt nog niemand uitgenodigd. Je kan individueel uitnodigen of een groep mensen tegelijk door een groepsuitnodiging-bestand te uploaden" text: "Groepsuitnodiging via bestand" @@ -678,15 +700,15 @@ nl: ok: "Je wachtwoord ziet er goed uit." instructions: "Minimaal %{count} tekens." summary: - title: "Overzicht " + title: "Samenvatting " stats: "Statistieken " time_read: "leestijd" topic_count: one: "Onderwerp gemaakt" - other: "Onderwerpen gemaakt" + other: "topics gemaakt" post_count: - one: "Bericht gemaakt" - other: "Berichten gemaakt" + one: "bericht gemaakt" + other: "berichten gemaakt" likes_given: one: " gegeven" other: " gegeven" @@ -694,29 +716,29 @@ nl: one: " ontvangen" other: " ontvangen" days_visited: - one: "Dag bezocht" - other: "Dagen bezocht" + one: "dag bezocht" + other: "dagen bezocht" posts_read: - one: "Bericht gelezen" - other: "Berichten gelezen" + one: "bericht gelezen" + other: "berichten gelezen" bookmark_count: - one: "Bladwijzer" - other: "Bladwijzers" - top_replies: "Beste Reacties" + one: "favoriet" + other: "favorieten" + top_replies: "Topreacties" no_replies: "Nog geen antwoorden." - more_replies: "Meer Antwoorden" - top_topics: "Top Topics" - no_topics: "Nog geen onderwerpen." - more_topics: "Meer Topics" - top_badges: "Top Badges" - no_badges: "Nog geen insignes." - more_badges: "Meer Badges" - top_links: "Populaire links" + more_replies: "Meer antwoorden" + top_topics: "Top topics" + no_topics: "Nog geen topics." + more_topics: "Meer topics" + top_badges: "Topbadges" + no_badges: "Nog geen badges." + more_badges: "Meer badges" + top_links: "Toplinks" no_links: "Nog geen links." most_liked_by: "Meest geliked door" most_liked_users: "Meest geliked" most_replied_to_users: "Meest geantwoord op" - no_likes: "Nog geen likes" + no_likes: "Nog geen likes." associated_accounts: "Logins" ip_address: title: "Laatste IP-adres" @@ -759,18 +781,18 @@ nl: logout: "Je bent uitgelogd." refresh: "Ververs" read_only_mode: - enabled: "De site is in alleen lezen modus. Interactie is niet mogelijk." + enabled: "Deze site is in alleenlezen-modus. Je kunt rondkijken, maar berichten beantwoorden, likes uitdelen en andere acties uitvoeren is niet mogelijk." login_disabled: "Zolang de site in read-only modus is, kan er niet ingelogd worden." - logout_disabled: "Uitloggen is uitgeschakeld als de site op alleen lezen staat." - too_few_topics_and_posts_notice: "Laten we de discussie starten! Er zijn al %{currentTopics} / %{requiredTopics} topics en %{currentPosts} / %{requiredPosts} berichten. Nieuwe bezoekers hebben conversaties nodig om te lezen en reageren." - too_few_topics_notice: "Laten we de discussie starten! Er zijn al %{currentTopics} / %{requiredTopics} topics en %{currentPosts} / %{requiredPosts} berichten. Nieuwe bezoekers hebben conversaties nodig om te lezen en reageren." - too_few_posts_notice: "Laten we de discussie starten!. Er zijn al %{currentPosts} / %{requiredPosts} posts Nieuwe bezoekers hebben conversaties nodig om te lezen en reageren." + logout_disabled: "Uitloggen is niet mogelijk als de site op alleenlezen-modus staat." + too_few_topics_and_posts_notice: "Laten we de discussie starten! Er zijn al %{currentTopics} / %{requiredTopics} topics en %{currentPosts} / %{requiredPosts} berichten. Nieuwe bezoekers hebben conversaties nodig om te lezen en reageren." + too_few_topics_notice: "Laten we de discussie starten! Er zijn al %{currentTopics} / %{requiredTopics} topics. Nieuwe bezoekers hebben conversaties nodig om te lezen en reageren." + too_few_posts_notice: "Laten we de discussie starten!. Er zijn op dit moment %{currentPosts} / %{requiredPosts} berichten. Nieuwe bezoekers hebben conversaties nodig om te lezen en reageren." logs_error_rate_notice: - reached: "[%{relativeAge}] Huidige tarief %{rate} heeft het site instellingen limiet van %{siteSettingRate} bereikt." - exceeded: "[%{relativeAge}] Huidige tarief %{rate} heeft het site instellingen limiet van %{siteSettingRate} bereikt." + reached: "[%{relativeAge}] Huidige waarde van %{rate} heeft de limiet van %{siteSettingRate} bereikt, zoals ingesteld in de site-instellingen." + exceeded: "[%{relativeAge}] Huidige waarde van %{rate} heeft de limiet van %{siteSettingRate} overschreden, zoals ingesteld in de site-instellingen." rate: - one: "1 error/%{duration}" - other: "%{count} errors/%{duration}" + one: "1 fout/%{duration}" + other: "%{count} fouten/%{duration}" learn_more: "leer meer..." year: 'jaar' year_desc: 'topics die in de afgelopen 365 dagen gemaakt zijn' @@ -790,25 +812,26 @@ nl: signup_cta: sign_up: "Aanmelden" hide_session: "Herrinner me morgen" - hide_forever: "nee dankje" + hide_forever: "nee, dank je" hidden_for_session: "Ok, ik vraag het je morgen. Je kunt altijd 'Log in' gebruiken om in te loggen." intro: "Hey! :heart_eyes: Praat mee in deze discussie, meld je aan met een account" - value_prop: "Wanneer je een account aangemaakt hebt, herinneren deze wat je gelezen hebt, zodat je direct door kan lezen vanaf waar je gestopt bent. Je krijgt ook notificaties, hier en via email, wanneer nieuwe posts gemaakt zijn. En je kan ook nog posts liken :heartbeat:" + value_prop: "Wanneer je een account aangemaakt hebt, wordt daarin bijgehouden wat je gelezen hebt, zodat je direct door kan lezen vanaf waar je gestopt bent. Je kan op de site en via e-mail notificaties krijgen wanneer nieuwe posts gemaakt zijn, en je kan ook nog posts liken. :heartbeat:" summary: enabled_description: "Je leest een samenvatting van dit topic: alleen de meeste interessante berichten zoals bepaald door de community. " description: "Er zijn {{replyCount}} reacties." description_time: "Er zijn {{replyCount}} reacties met een geschatte leestijd van{{readingTime}} minuten." - enable: 'Samenvatting Topic' + enable: 'Maak een samenvatting van dit topic' disable: 'Alle berichten' deleted_filter: - enabled_description: "Dit topic bevat verwijderde berichten, die niet getoond worden." - disabled_description: "Verwijderde berichten in dit topic worden getoond." + enabled_description: "Deze topic bevat verwijderde berichten, die niet getoond worden." + disabled_description: "Verwijderde berichten in deze topic worden getoond." enable: "Verberg verwijderde berichten" disable: "Toon verwijderde berichten" private_message_info: title: "Bericht" invite: "Nodig anderen uit..." remove_allowed_user: "Weet je zeker dat je {{naam}} wilt verwijderen uit dit bericht?" + remove_allowed_group: "Weet je zeker dat je {{name}} uit dit bericht wilt verwijderen?" email: 'E-mail' username: 'Gebruikersnaam' last_seen: 'Gezien' @@ -827,7 +850,7 @@ nl: complete_username: "Als er een account gevonden kan worden met de gebruikersnaam %{username}, dan zal je spoedig een e-mail ontvangen met daarin instructies om je wachtwoord te resetten." complete_email: "Als er een account gevonden kan worden met het e-mailadres %{email}, dan zal je spoedig een e-mail ontvangen met daarin instructies om je wachtwoord te resetten." complete_username_found: "We hebben een account met de gebruikersnaam %{username} gevonden. Je zal spoedig een e-mail ontvangen met daarin instructies om je wachtwoord te resetten." - complete_email_found: "We hebben een account gevonden met het emailadres %{email}. Je zal spoedig een e-mail ontvangen met daarin instructies om je wachtwoord te resetten." + complete_email_found: "We hebben een account gevonden met het e-mailadres %{email}. Je zal spoedig een e-mail ontvangen met daarin instructies om je wachtwoord te resetten." complete_username_not_found: "Geen account met de gebruikersnaam %{username} gevonden" complete_email_not_found: "Geen account met het e-mailadres %{email} gevonden" login: @@ -838,15 +861,15 @@ nl: caps_lock_warning: "Caps Lock staat aan" error: "Er is een onbekende fout opgetreden" rate_limit: "Wacht even voor je opnieuw probeert in te loggen." - blank_username_or_password: "Vul je email of gebruikersnaam en je wachtwoord in." + blank_username_or_password: "Vul je e-mail of gebruikersnaam en je wachtwoord in." reset_password: 'Herstel wachtwoord' logging_in: "Inloggen..." or: "Of" authenticating: "Authenticatie..." awaiting_confirmation: "Je account is nog niet geactiveerd. Gebruik de 'Wachtwoord vergeten'-link om een nieuwe activatiemail te ontvangen." - awaiting_approval: "Je account is nog niet goedgekeurd door iemand van de staf. Je krijgt van ons een mail wanneer dat gebeurd is." - requires_invite: "Toegang tot dit forum is alleen op uitnodiging." - not_activated: "Je kan nog niet inloggen. We hebben je een activatie-mail gestuurd (naar {{sentTo}}). Volg de instructies in die mail om je account te activeren." + awaiting_approval: "Je account is nog niet goedgekeurd door iemand van de staf. Je krijgt van ons een e-mail wanneer dat gebeurd is." + requires_invite: "Sorry. toegang tot dit forum is alleen op uitnodiging." + not_activated: "Je kan nog niet inloggen. We hebben je een activatie-mail gestuurd naar {{sentTo}}. Volg de instructies in die e-mail om je account te activeren." not_allowed_from_ip_address: "Je kunt niet inloggen vanaf dat IP-adres." admin_not_allowed_from_ip_address: "Je kan jezelf niet aanmelden vanaf dat IP-adres." resend_activation_email: "Klik hier om de activatiemail opnieuw te ontvangen." @@ -875,10 +898,12 @@ nl: github: title: "met Github" message: "Inloggen met een Githubaccount (zorg ervoor dat je popup blocker uit staat)" - apple_international: "Apple/Internationaal" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" + emoji_set: + apple_international: "Apple/International" + google: "Google" + twitter: "Twitter" + emoji_one: "Emoji One" + win10: "Win10" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -889,14 +914,15 @@ nl: options: "Opties" whisper: "Fluister" add_warning: "Dit is een officiële waarschuwing." - toggle_whisper: "Schakel Fluistermode" + toggle_whisper: "Fluistermode in- of uitschakelen" posting_not_on_topic: "In welke topic wil je je antwoord plaatsen?" saving_draft_tip: "opslaan..." saved_draft_tip: "opgeslagen" saved_local_draft_tip: "lokaal opgeslagen" similar_topics: "Jouw topic lijkt op..." drafts_offline: "concepten offline" - group_mentioned: "Door het gebruik van {{group}}, sta je op het punt {{count}} op de hoogte te brengen." + group_mentioned: "Door het noemen van {{group}}, sta je op het punt om {{count}} mensen op de hoogte te brengen - weet je dit zeker?" + duplicate_link: "Het ziet er naar uit dat je link naar {{domain}} al genoemd is in deze topic door @{{username}} in een bericht {{ago}} – weet je zeker dat je dit opnieuw wilt posten?" error: title_missing: "Titel is verplicht" title_too_short: "Titel moet uit minstens {{min}} tekens bestaan" @@ -934,10 +960,12 @@ nl: link_description: "geef hier een omschrijving" link_dialog_title: "Voeg weblink toe" link_optional_text: "optionele titel" + link_url_placeholder: "http://example.com" quote_title: "Citaat" quote_text: "Citaat" code_title: "Opgemaakte tekst" code_text: "zet 4 spaties voor opgemaakte tekst" + paste_code_text: "type of plak code hier" upload_title: "Afbeelding" upload_description: "geef een omschrijving voor de afbeelding op" olist_title: "Genummerde lijst" @@ -950,12 +978,12 @@ nl: toggler: "verberg of toon de editor" modal_ok: "OK" modal_cancel: "Annuleer" - cant_send_pm: "Sorry, je kan geen berichten sturen naar %{username}." + cant_send_pm: "Sorry, je kan geen bericht sturen naar %{username}." admin_options_title: "Optionele stafinstellingen voor deze topic" auto_close: label: "Tijd waarna topic automatisch wordt gesloten:" error: "Vul een geldige waarde in." - based_on_last_post: "Sluit pas als het laatste bericht in het topic op zijn minst zo oud is." + based_on_last_post: "Sluit pas als het laatste bericht in de topic op zijn minst zo oud is." all: examples: 'Voor het aantal uur (24), absolute tijd (17:30) of timestamp (2013-11-22 14:00) in.' limited: @@ -964,46 +992,53 @@ nl: notifications: title: "notificaties van @naam vermeldingen, reacties op je berichten en topics, berichten, etc." none: "Notificaties kunnen niet geladen worden." + empty: "Geen notificaties gevonden." more: "bekijk oudere notificaties" total_flagged: "aantal gemarkeerde berichten" mentioned: "{{username}} {{description}}
" group_mentioned: "{{username}} {{description}}
" quoted: "{{username}} {{description}}
" replied: "{{username}} {{description}}
" + posted: "{{username}} {{description}}
" edited: "{{username}} {{description}}
" liked: "{{username}} {{description}}
" + liked_2: "{{username}}, {{username2}} {{description}}
" + liked_many: + one: "{{username}}, {{username2}} en 1 andere {{description}}
" + other: "{{username}}, {{username2}} en {{count}} anderen {{description}}
" private_message: "{{username}} {{description}}
" invited_to_private_message: "{{username}} {{description}}
" invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} heeft jouw uitnodiging geaccepteerd
" moved_post: "{{username}} verplaatste {{description}}
" - linked: "{{username}} {{description}}
" + linked: "{{username}} {{description}}
" granted_badge: "'{{description}}' ontvangen
" + watching_first_post: "Nieuw topic {{description}}
" group_message_summary: one: "{{count}} berichten in jouw {{group_name}} inbox
" - other: "{{count}} berichten in jouw {{group_name}} inbox
" + other: "{{count}} berichten in jouw {{group_name}} Postvak IN
" alt: mentioned: "Genoemd door" quoted: "Gequoot door" replied: "Gereageerd" posted: "Geplaatst door" edited: "Wijzig je bericht door" - liked: "Vind je bericht leuk" - private_message: "Privébericht van" - invited_to_private_message: "Uitgenodigd voor een privébericht van" + liked: "Heeft je bericht geliked" + private_message: "Privé-bericht van" + invited_to_private_message: "Uitgenodigd voor een privé-bericht van" invited_to_topic: "Uitgenodigd voor een topic door" invitee_accepted: "Uitnodiging geaccepteerd door" moved_post: "Je bericht is verplaatst door" linked: "Link naar je bericht" granted_badge: "Badge toegekend" - group_message_summary: "Berichten in groep Postvak In" + group_message_summary: "Berichten in groeps-Postvak IN" popup: mentioned: '{{username}} heeft je genoemd in "{{topic}}" - {{site_title}}' group_mentioned: '{{username}} noemde jouw naam in "{{topic}}" - {{site_title}}' quoted: '{{username}} heeft je geciteerd in "{{topic}}" - {{site_title}}' replied: '{{username}} heeft je beantwoord in "{{topic}}" - {{site_title}}' - posted: '{{username}} heeft een bericht geplaats in "{{topic}}" - {{site_title}}' - private_message: '{{username}} heeft je een privebericht gestuurd in "{{topic}}" - {{site_title}}' + posted: '{{username}} heeft een bericht geplaatst in "{{topic}}" - {{site_title}}' + private_message: '{{username}} heeft je een privé-bericht gestuurd in "{{topic}}" - {{site_title}}' linked: '{{username}} heeft een link gemaakt naar jouw bericht vanuit "{{topic}}" - {{site_title}}' upload_selector: title: "Voeg een afbeelding toe" @@ -1025,7 +1060,7 @@ nl: latest_post: "Laatste bericht" most_viewed: "Meest bekeken" most_liked: "Meest geliked" - select_all: "Selecteer Alles" + select_all: "Alles selecteren" clear_all: "Wis Alles" result_count: one: "1 resultaat voor \"{{term}}\"" @@ -1038,6 +1073,7 @@ nl: post_format: "#{{post_number}} door {{username}}" context: user: "Zoek berichten van @{{username}}" + category: "Doorzoek de #{{category}} categorie" topic: "Zoek in deze topic" private_messages: "Zoek berichten" hamburger_menu: "ga naar een andere topiclijst of categorie" @@ -1051,60 +1087,63 @@ nl: reset_read: "markeer als ongelezen" delete: "Verwijder topics" dismiss: "Afwijzen" - dismiss_read: "Alle ongelezen afwijzen" + dismiss_read: "Alle ongelezen topics verwerpen" dismiss_button: "Afwijzen..." - dismiss_tooltip: "Alleen nieuwe posts afwijzen of stop het volgen van topics" + dismiss_tooltip: "Alleen nieuwe berichten afwijzen of stop het volgen van topics" also_dismiss_topics: "Stop het volgen van deze topics, zodat deze nooit meer als ongelezen worden weergegeven. " dismiss_new: "markeer nieuwe berichten als gelezen" - toggle: "toggle bulkselectie van topics" + toggle: "Schakel bulkselectie van topics in of uit" actions: "Bulk Acties" change_category: "Wijzig categorie" close_topics: "Sluit topics" - archive_topics: "Archiveer Topics" + archive_topics: "Archiveer topics" notification_level: "Wijzig notificatielevel" choose_new_category: "Kies de nieuwe categorie voor de topics:" selected: one: "Je hebt 1 topic geselecteerd." other: "Je hebt {{count}} topics geselecteerd." + change_tags: "Verander Tags" + choose_new_tags: "Kies nieuwe tags voor deze topics:" + changed_tags: "De tags van deze topics zijn gewijzigd." none: unread: "Je hebt geen ongelezen topics." new: "Je hebt geen nieuwe topics." read: "Je hebt nog geen topics gelezen." posted: "Je hebt nog niet in een topic gereageerd." latest: "Er zijn geen populaire topics. Dat is jammer." - hot: "Er zijn geen polulaire topics." - bookmarks: "Je hebt nog geen topics met bladwijzer." + hot: "Er zijn geen populaire topics." + bookmarks: "Je hebt nog geen topics aan je favorieten toegevoegd." category: "Er zijn geen topics in {{category}}." - top: "Er zijn geen top-topics." + top: "Er zijn geen top topics." search: "Er zijn geen zoekresultaten gevonden." educate: - new: 'Je nieuwe topics verschijnen hier.
Standaard worden topics als nieuw weergegeven en als nieuw weergegeven als deze binnen de laatste 2 dagen zijn aangemaakt.
Visit your voorkeuren om dit te veranderen.
' - unread: 'Je ongelezen berichten verschijnen hier.
Standaard worden topics als nieuw beschouwd en zullen als ongelezen worden weergegeven1 als je:
Of als je het topic als volgen hebt gemarkeerd of hebt bekeken via het notificatie onderaan elk bericht.
Bezoek jouwvoorkeuren om dit te veranderen
' + new: 'Je nieuwe topics verschijnen hier.
Standaard worden topics als nieuw weergegeven en als nieuw weergegeven als deze binnen de laatste 2 dagen zijn aangemaakt.
Bezoek jouw voorkeuren om dit te veranderen.
' + unread: 'Je ongelezen topics verschijnen hier.
Standaard worden topics als ongelezen beschouwd en zullen als ongelezen worden weergegeven 1 als je:
Of als je de topic expliciet op Volgen of In de gaten houden hebt gezet via de notificatieknoppen onderaan het topic.
Bezoek jouwvoorkeuren om dit te veranderen
' bottom: latest: "Er zijn geen recente topics." - hot: "Er zijn geen polulaire topics meer." - posted: "Er zijn geen geplaatste topics meer." + hot: "Er zijn geen populaire topics meer." + posted: "Er zijn niet meer topics geplaatst." read: "Er zijn geen gelezen topics meer." new: "Er zijn geen nieuwe topics meer." unread: "Er zijn geen ongelezen topics meer." category: "Er zijn geen topics meer in {{category}}." - top: "Er zijn geen top-topics meer." - bookmarks: "Er zijn niet meer topics met een bladwijzer." + top: "Er zijn geen top topics meer." + bookmarks: "Er zijn niet meer topics in je favorieten." search: "Er zijn geen zoekresultaten meer." topic: unsubscribe: stop_notifications: "Je zal nu minder notificaties ontvangen voor {{title}}" - change_notification_state: "Je huidige notificatie status is" + change_notification_state: "Je huidige notificatiestatus is" filter_to: "{{post_count}} berichten in topic" create: 'Nieuw topic' create_long: 'Maak een nieuw topic' private_message: 'Stuur een bericht' archive_message: - help: 'Verplaats berichten naar jouw archief ' + help: 'Verplaats bericht naar jouw archief ' title: 'Archiveren ' move_to_inbox: - title: 'Verplaats naar Postvak In' - help: 'Verplaats het bericht terug naar Postvak in' + title: 'Verplaats naar Postvak IN' + help: 'Verplaats het bericht terug naar Postvak IN' list: 'Topics' new: 'nieuw topic' unread: 'ongelezen' @@ -1118,16 +1157,16 @@ nl: invalid_access: title: "Topic is privé" description: "Sorry, je hebt geen toegang tot deze topic." - login_required: "Je moet inloggen om dit topic te kunnen bekijken." + login_required: "Je moet inloggen om deze topic te kunnen bekijken." server_error: title: "Laden van topic is mislukt" - description: "Sorry, we konden dit topic niet laden, waarschijnlijk door een verbindingsprobleem. Probeer het later opnieuw. Als het probleem zich blijft voordoen, laat het ons dan weten." + description: "Sorry, we konden deze topic niet laden, waarschijnlijk door een verbindingsprobleem. Probeer het later opnieuw. Als het probleem zich blijft voordoen, laat het ons dan weten." not_found: title: "Topic niet gevonden" description: "Sorry, we konden het opgevraagde topic niet vinden. Wellicht is het verwijderd door een moderator?" total_unread_posts: - one: "je hebt 1 ongelezen bericht in deze discussie" - other: "je hebt {{count}} ongelezen berichten in dit topic" + one: "je hebt 1 ongelezen bericht in deze topic" + other: "je hebt {{count}} ongelezen berichten in deze topic" unread_posts: one: "je hebt 1 ongelezen bericht in deze topic" other: "je hebt {{count}} ongelezen berichten in deze topic" @@ -1136,17 +1175,17 @@ nl: other: "er zijn {{count}} nieuwe berichten in deze topic sinds je deze voor het laatst gelezen hebt" likes: one: "er is één waardering in deze topic" - other: "er zijn {{likes}} waarderingen in deze topic" + other: "er zijn {{likes}} likes in deze topic" back_to_list: "Terug naar topiclijst" options: "Topic-opties" show_links: "laat links in deze topic zien" - toggle_information: "Zet topic details aan/uit" + toggle_information: "Zet topic details aan of uit" read_more_in_category: "Wil je meer lezen? Kijk dan voor andere topics in {{catLink}} of {{latestLink}}." read_more: "Wil je meer lezen? {{catLink}} of {{latestLink}}." read_more_MF: "Er { UNREAD, plural, =0 {} one { is 1 ongelezen } other { zijn # ongelezen } } { NEW, plural, =0 {} one { {BOTH, select, true{and } false {is } other{}} 1 nieuw topic} other { {BOTH, select, true{and } false {zijn } other{}} # nieuwe topics} } over, of {CATEGORY, select, true {blader door andere topics in {catLink}} false {{latestLink}} other {}}" browse_all_categories: Bekijk alle categorieën view_latest_topics: bekijk nieuwste topics - suggest_create_topic: Wil je een nieuwe topic schrijven? + suggest_create_topic: Waarom start je geen topic? jump_reply_up: ga naar een eerdere reactie jump_reply_down: ga naar een latere reactie deleted: "Deze topic is verwijderd" @@ -1155,28 +1194,38 @@ nl: auto_close_title: 'Instellingen voor automatisch sluiten' auto_close_save: "Opslaan" auto_close_remove: "Sluit deze topic niet automatisch" - auto_close_immediate: "De laatste post in dit topic is al %{hours} uur oud, dus dit topic wordt meteen gesloten." + auto_close_immediate: "De laatste post in deze topic is al %{hours} uur oud, dus deze topic wordt meteen gesloten." + timeline: + back: "Terug" + back_description: "Keer terug naar je laatste ongelezen bericht" + replies: "%{current} / %{total} antwoorden" + replies_short: "%{current} / %{total}" progress: - title: voortgang van topic + title: topicvoortgang go_top: "bovenaan" go_bottom: "onderkant" go: "ga" jump_bottom: "spring naar laatste bericht" + jump_prompt: "spring naar bericht" + jump_prompt_long: "Naar welk bericht wil je springen?" jump_bottom_with_number: "spring naar bericht %{post_number}" total: totaal aantal berichten current: huidige bericht position: "bericht %{current} van %{total}" notifications: + title: verander de frequentie van notificaties over deze topic reasons: + mailing_list_mode: "De mailinglijstmodus staat ingeschakeld, dus zul je via e-mail notificaties ontvangen bij nieuwe antwoorden in deze topic." + '3_10': 'Je zal notificaties ontvangen omdat je een tag op deze topic in de gaten houdt.' '3_6': 'Je ontvangt notificaties omdat je deze categorie in de gaten houdt.' '3_5': 'Je ontvangt notificaties omdat je deze topic automatisch in de gaten houdt.' - '3_2': 'Je ontvangt notificaties omdat je dit topic in de gaten houdt.' + '3_2': 'Je ontvangt notificaties omdat je deze topic in de gaten houdt.' '3_1': 'Je ontvangt notificaties omdat je dit topic hebt gemaakt.' - '3': 'Je ontvangt notificaties omdat je dit topic in de gaten houdt.' + '3': 'Je ontvangt notificaties omdat je deze topic in de gaten houdt.' '2_8': 'Je ontvangt notificaties omdat je deze categorie volgt.' - '2_4': 'Je ontvangt notificaties omdat je een reactie in dit topic hebt geplaatst.' - '2_2': 'Je ontvangt notificaties omdat je dit topic volgt.' - '2': 'Je ontvangt notificaties omdat je dit topic hebt gelezen.' + '2_4': 'Je ontvangt notificaties omdat je een reactie in deze topic hebt geplaatst.' + '2_2': 'Je ontvangt notificaties omdat je deze topic volgt.' + '2': 'Je ontvangt notificaties omdat je deze topic hebt gelezen.' '1_2': 'Je krijgt een notificatie als iemand je @naam noemt of reageert op een bericht van jou.' '1': 'Je krijgt een notificatie als iemand je @naam noemt of reageert op een bericht van jou.' '0_7': 'Je negeert alle notificaties in deze categorie.' @@ -1187,13 +1236,13 @@ nl: description: "Je krijgt een notificatie voor elke nieuwe reactie op dit bericht, en het aantal nieuwe reacties wordt weergegeven." watching: title: "In de gaten houden" - description: "Je krijgt een notificatie voor elke nieuwe reactie op dit bericht, en het aantal nieuwe reacties wordt weergegeven." + description: "Je krijgt een notificatie voor elke nieuwe reactie in deze topic, en het aantal nieuwe reacties wordt weergegeven." tracking_pm: title: "Volgen" description: "Het aantal nieuwe reacties op dit bericht wordt weergegeven. Je krijgt een notificatie als iemand je @name noemt of reageert." tracking: title: "Volgen" - description: "Het aantal nieuwe reacties op dit bericht wordt weergegeven. Je krijgt een notificatie als iemand je @name noemt of reageert." + description: "Het aantal nieuwe reacties in deze topic wordt weergegeven. Je krijgt een notificatie als iemand je @name noemt of reageert." regular: title: "Normaal" description: "Je krijgt een notificatie als iemand je @naam noemt of reageert op een bericht van jou." @@ -1205,7 +1254,7 @@ nl: description: "Je zal geen enkele notificatie ontvangen over dit bericht." muted: title: "Negeren" - description: "Je zult nooit op de hoogte worden gebracht over dit topic, en het zal niet verschijnen in Nieuwste." + description: "Je zult nooit op de hoogte worden gebracht over deze topic, en het zal niet verschijnen in Recent." actions: recover: "Herstel topic" delete: "Verwijder topic" @@ -1220,12 +1269,14 @@ nl: invisible: "Maak onzichtbaar" visible: "Maak zichtbaar" reset_read: "Reset leesdata" + make_public: "Maak topic openbaar" + make_private: "Nieuw privé-bericht" feature: pin: "Pin topic" unpin: "Ontpin topic" pin_globally: "Pin topic globaal vast" - make_banner: "Banner Topic" - remove_banner: "Verwijder Banner Topic" + make_banner: "Maak bannertopic" + remove_banner: "Verwijder bannertopic" reply: title: 'Reageer' help: 'Schrijf een reactie op deze topic' @@ -1237,15 +1288,15 @@ nl: help: 'deel een link naar deze topic' flag_topic: title: 'Markeer' - help: 'geef een privé-markering aan dit topic of stuur er een privé-bericht over' - success_message: 'Je hebt dit topic gemarkeerd' + help: 'geef een privé-markering aan deze topic of stuur er een privé-bericht over' + success_message: 'Je hebt deze topic gemarkeerd' feature_topic: - title: "Feature dit topic" + title: "Feature deze topic" pin: "Zet deze topic bovenaan in de {{categoryLink}} categorie tot" confirm_pin: "Je hebt al {{count}} vastgepinde topics. Teveel vastgepinde topics kunnen storend zijn voor nieuwe en anonieme gebruikers. Weet je zeker dat je nog een topic wilt vastpinnen in deze categorie?" - unpin: "Zorg ervoor dat dit topic niet langer bovenaan de {{categoryLink}} categorie komt." + unpin: "Zorg ervoor dat deze topic niet langer bovenaan de {{categoryLink}} categorie komt." unpin_until: "Zet deze topic niet langer bovenaan in de {{categoryLink}} categorie of wacht tot %{until}." - pin_note: "Gebruikers kunnen het vastpinnen voor dit topic voor zichzelf ongedaan maken." + pin_note: "Gebruikers kunnen het vastpinnen voor deze topic voor zichzelf ongedaan maken." pin_validation: "Een datum is vereist om deze topic vast te pinnen." not_pinned: "Er zijn geen topics vastgepind in {{categoryLink}}." already_pinned: @@ -1253,44 +1304,44 @@ nl: other: "Topics welke vastgepind zijn in {{categoryLink}}: {{count}}." pin_globally: "Zet deze topic bovenaan in alle topic lijsten tot" confirm_pin_globally: "Je hebt al {{count}} globaal vastgepinde topics. Teveel vastgepinde topics kunnen storend zijn voor nieuwe en anonieme gebruikers. Weet je zeker dat je nog een topic globaal wilt vastpinnen?" - unpin_globally: "Zorg ervoor dat dit topic niet langer bovenaan alle topic lijsten komt." - unpin_globally_until: "Zet deze topic niet langer bovenaan in alle topic lijsten of wacht tot %{until}." - global_pin_note: "Gebruikers kunnen dit topic voor zichzelf ontpinnen." + unpin_globally: "Zorg ervoor dat deze topic niet langer bovenaan alle topiclijsten komt." + unpin_globally_until: "Zet deze topic niet langer bovenaan in alle topiclijsten of wacht tot %{until}." + global_pin_note: "Gebruikers kunnen deze topic voor zichzelf ontpinnen." not_pinned_globally: "Er zijn geen globaal vastgepinde topics." already_pinned_globally: - one: "Topics welke globaal vastgepind zijn: {{count}}" + one: "Topics welke globaal vastgepind zijn: 1" other: "Topics welke globaal vastgepind zijn: {{count}}." - make_banner: "Zorg ervoor dat dit topic een banner wordt welke bovenaan alle pagina's komt." + make_banner: "Maak van deze topic een banner die bovenaan alle pagina's verschijnt." remove_banner: "Verwijder de banner die bovenaan alle pagina's staat." - banner_note: "Gebruikers kunnen de banner negeren door deze te sluiten. Er kan maar een topic gebannered zijn." - no_banner_exists: "Er is geen banner topic." - banner_exists: "Er is op het ogenblik een banner topic." + banner_note: "Gebruikers kunnen de banner negeren door deze te sluiten. Er kan maar één bannertopic zijn." + no_banner_exists: "Er is geen bannertopic." + banner_exists: "Er is op het ogenblik een bannertopic." inviting: "Uitnodigen..." - automatically_add_to_groups_optional: "Deze uitnodiging geeft ook toegang tot de volgende groepen: (optioneel, alleen voor beheerders)" - automatically_add_to_groups_required: "Deze uitnodiging geeft ook toegang tot de volgende groepen: (Verplicht, alleen voor beheerders)" + automatically_add_to_groups: "Deze uitnodiging geeft ook toegang tot de volgende groepen:" invite_private: title: 'Uitnodigen voor Bericht' email_or_username: "E-mail of gebruikersnaam van genodigde" email_or_username_placeholder: "e-mailadres of gebruikersnaam" action: "Uitnodigen" success: "Deze gebruiker is uitgenodigd om in de conversatie deel te nemen." - error: "Sorry, er is iets misgegaan bij het uitnodigen van deze persoon" + success_group: "De groep is uitgenodigd om deel te nemen aan de conversatie." + error: "Sorry, er is iets misgegaan bij het uitnodigen van deze persoon." group_name: "groepsnaam" - controls: "Topic Controls" + controls: "Topic controlepaneel" invite_reply: title: 'Uitnodigen' username_placeholder: "gebruikersnaam" action: 'Stuur Uitnodiging' - help: 'nodig anderen uit voor dit topic via email of notificaties' + help: 'nodig anderen uit voor deze topic via e-mail of notificaties' to_forum: "We sturen een kort mailtje waarmee je vriend zich direct kan aanmelden door op een link te klikken, zonder te hoeven inloggen." - sso_enabled: "Voer de gebruikersnaam in van de persoon die je uit wil nodigen voor dit topic." - to_topic_blank: "Voer de gebruikersnaam of het email-adres in van de persoon die je uit wil nodigen voor dit topic." - to_topic_email: "Je hebt een email-adres ingevuld. We zullen een uitnodiging e-mailen waarmee je vriend direct kan antwoorden op dit topic." - to_topic_username: "Je hebt een gebruikersnaam ingevuld. We sturen een notificatie met een link om deel te nemen aan dit topic." - to_username: "Vul de gebruikersnaam in van de persoon die je wilt uitnodigen. We sturen een notificatie met een link om deel te nemen aan dit topic" + sso_enabled: "Voer de gebruikersnaam in van de persoon die je uit wil nodigen voor deze topic." + to_topic_blank: "Voer de gebruikersnaam of het e-mailadres in van de persoon die je uit wil nodigen voor deze topic." + to_topic_email: "Je hebt een e-mailadres ingevuld. We zullen een uitnodiging e-mailen waarmee je vriend direct kan antwoorden op deze topic." + to_topic_username: "Je hebt een gebruikersnaam ingevuld. We zullen een notificatie sturen met een link om deel te nemen aan deze topic." + to_username: "Vul de gebruikersnaam in van de persoon die je wilt uitnodigen. We zullen een notificatie sturen met een link om deel te nemen aan deze topic" email_placeholder: 'naam@voorbeeld.nl' - success_email: "We hebben een uitnodiging gemaild naar {{emailOrUsername}}. We stellen je op de hoogte als op de uitnodiging is ingegaan. Controleer de uitnodigingen tab op je gebruikerspagina om een overzicht te hebben van je uitnodigingen." - success_username: "We hebben die gebruiker uitgenodigd om deel te nemen in dit topic." + success_email: "We hebben een uitnodiging gemaild naar {{emailOrUsername}}. We stellen je op de hoogte als op de uitnodiging is ingegaan. Controleer het uitnodigingen tabblad op je gebruikerspagina om een overzicht te zien van je uitnodigingen." + success_username: "We hebben de gebruiker uitgenodigd om deel te nemen in deze topic." error: "Sorry, we konden deze persoon niet uitnodigen. Wellicht is deze al een keer uitgenodigd? (Uitnodigingen worden gelimiteerd)" login_reply: 'Log in om te beantwoorden' filters: @@ -1305,14 +1356,18 @@ nl: error: "Er ging iets mis bij het verplaatsen van berichten naar de nieuwe topic." instructions: one: "Je staat op het punt een nieuwe topic aan te maken en het te vullen met het bericht dat je geselecteerd hebt." - other: "Je staat op het punt een nieuwe topic aan te maken en het te vullen met de {{count}} berichten die je geselecteerd hebt." + other: "Je staat op het punt een nieuwe topic aan te maken en het te vullen met de {{count}} geselecteerde berichten." merge_topic: - title: "Verplaats naar bestaande topic" - action: "verplaats naar bestaande topic" - error: "Er ging iets mis bij het verplaatsen van berichten naar die topic." + title: "Verplaats naar bestaand topic" + action: "verplaats naar bestaand topic" + error: "Er ging iets mis bij het verplaatsen van berichten naar dat topic." instructions: one: "Selecteer de topic waarnaar je het bericht wil verplaatsen." other: "Selecteer de topic waarnaar je de {{count}} berichten wil verplaatsen." + merge_posts: + title: "Voeg geselecteerde berichten samen" + action: "voeg geselecteerde berichten samen" + error: "Er ging iets mis bij het samenvoegen van de geselecteerde berichten." change_owner: title: "Wijzig eigenaar van berichten" action: "verander van eigenaar" @@ -1322,11 +1377,11 @@ nl: instructions: one: "Kies de nieuwe eigenaar van het bericht door {{old_user}}." other: "Kies de nieuwe eigenaar van de {{count}} berichten door {{old_user}}." - instructions_warn: "Let op dat alle meldingen over deze discussie niet met terugwerkende kracht worden overgedragen aan de nieuwe gebruiker.+
+ + tagging: + all_tags: "Alle tags" + selector_all_tags: "alle tags" + selector_no_tags: "geen tags" + changed: "gewijzigde tags:" + tags: "Tags" + choose_for_topic: "Kies optionele tags voor deze topic" + delete_tag: "Verwijder tag" + delete_confirm: "Weet je zeker dat je deze tag wilt verwijderen?" + rename_tag: "Tag hernoemen" + rename_instructions: "Kies een nieuwe naam voor de tag:" + sort_by: "Sorteer op:" + sort_by_count: "aantal" + sort_by_name: "naam" + manage_groups: "Beheer tag groepen" + manage_groups_description: "Definieer groepen om tags te organiseren" + filters: + without_category: "%{filter} %{tag} topics" + with_category: "%{filter} %{tag} topics in %{category}" + untagged_without_category: "%{filter} ongetagde topics" + untagged_with_category: "%{filter} ongetagde topics in %{category}" + notifications: + watching: + title: "In de gaten houden" + description: "Je zal automatisch alle nieuwe topics met deze tag in de gaten houden. Je ontvangt een notificatie van alle nieuwe berichten en topics, en het aantal ongelezen en nieuwe berichten zal naast de topic verschijnen." + watching_first_post: + title: "Eerste bericht in de gaten houden." + description: "Je krijgt alleen een notificatie van de eerste post in elk nieuwe topic met deze tag." + tracking: + title: "Volgen" + description: "Je zal automatisch alle nieuwe topics met deze tag volgen. Het aantal ongelezen en nieuwe berichten zal naast de topic verschijnen." + regular: + title: "Normaal" + description: "Je krijgt een notificatie als iemand je @naam noemt of reageert op je bericht." + muted: + title: "Negeren" + description: "Je zal geen notificaties krijgen over nieuwe topics en berichten met deze tag en ze verschijnen niet in je ongelezen overzicht." + groups: + title: "Tag groepen" + about: "Voeg tags toe aan groepen om ze makkelijker te beheren." + new: "Nieuwe groep" + tags_label: "Tags in deze groep:" + parent_tag_label: "Bovenliggende tag:" + parent_tag_placeholder: "Optioneel" + parent_tag_description: "Tags uit deze groep kunnen niet gebruikt worden tenzij de bovenliggende tag actief is." + one_per_topic_label: "Limiteer tot 1 tag per topic uit deze groep" + new_name: "Nieuwe tag groep" + save: "Opslaan" + delete: "Verwijderen" + confirm_delete: "Weet je zeker dat je deze tag groep wilt verwijderen?" + topics: + none: + unread: "Je hebt geen ongelezen topics." + new: "Je hebt geen nieuwe topics." + read: "Je hebt nog geen topics gelezen." + posted: "Je hebt nog niet in een topic gereageerd." + latest: "Er zijn geen recente topics." + hot: "Er zijn geen populaire topics." + bookmarks: "Je hebt nog geen favoriete topics." + top: "Er zijn geen top topics." + search: "Je zoekopdracht heeft geen resultaten." + bottom: + latest: "Er zijn geen recente topics meer." + hot: "Er zijn geen populaire topics meer." + posted: "Er zijn geen geplaatste topics meer." + read: "Er zijn geen gelezen topics meer." + new: "Er zijn geen nieuwe topics meer." + unread: "Er zijn geen ongelezen topics meer." + top: "Er zijn geen top topics meer." + bookmarks: "Er zijn geen topics meer in je favorieten." + search: "Er zijn geen zoekresultaten meer." + invite: + custom_message: "Maak je uitnodiging iets persoonlijker door het schrijven van een " + custom_message_link: "eigen bericht" + custom_message_placeholder: "Schrijf je eigen bericht" + custom_message_template_forum: "Hoi, je zou eens moeten komen kijken op dit forum!" + custom_message_template_topic: "Hoi, deze topic lijkt me wel iets voor jou!" admin_js: type_to_filter: "typ om te filteren..." admin: @@ -1781,7 +2032,7 @@ nl: critical_available: "Er is een belangrijke update beschikbaar" updates_available: "Er zijn updates beschikbaar" please_upgrade: "Werk de software bij alsjeblieft" - no_check_performed: "Er is nog niet op updates gecontroleerd. Zorgen dat sidekiq loopt.\"" + no_check_performed: "Er is nog niet op updates gecontroleerd. Zorg dat sidekiq draait." stale_data: "Er is al een tijdje niet op updates gecontroleerd. Zorg dat sidekiq loopt.\"" version_check_pending: "Je hebt de software recentelijk bijgewerkt. Mooi!" installed_version: "Geïnstalleerd" @@ -1801,10 +2052,10 @@ nl: uploads: "uploads" backups: "backups" traffic_short: "Verkeer" - traffic: "Applicatie web verzoeken" - page_views: "API Verzoeken" - page_views_short: "API Verzoeken" - show_traffic_report: "Laat gedetailleerd verkeer rapport zien" + traffic: "Applicatie webverzoeken" + page_views: "API-verzoeken" + page_views_short: "API-verzoeken" + show_traffic_report: "Laat gedetailleerd verkeersrapport zien" reports: today: "Vandaag" yesterday: "Gisteren" @@ -1815,9 +2066,10 @@ nl: 30_days_ago: "30 Dagen geleden" all: "Alle" view_table: "tabel" - refresh_report: "Ververs Rapport" - start_date: "Start datum" - end_date: "Eind datum" + view_graph: "grafiek" + refresh_report: "Ververs rapport" + start_date: "Startdatum" + end_date: "Einddatum" groups: "Alle groepen" commits: latest_changes: "Laatste wijzigingen: update regelmatig!" @@ -1830,28 +2082,28 @@ nl: agree_title: "Bevestig dat deze melding geldig en correct is" agree_flag_modal_title: "Akkoord en ... " agree_flag_hide_post: "Akkoord (verberg bericht en stuur privébericht)" - agree_flag_hide_post_title: "Verberg dit bericht en stuur de gebruiker automatisch een bericht met het verzoek om het aan te passen. " - agree_flag_restore_post: "Eens (herstel bericht)" + agree_flag_hide_post_title: "Verberg dit bericht en stuur de gebruiker een bericht met het dringenge verzoek om het aan te passen" + agree_flag_restore_post: "Akkoord (herstel bericht)" agree_flag_restore_post_title: "Herstel dit bericht" agree_flag: "Akkoord met melding" - agree_flag_title: "Akkoord met melding en het bericht ongewijzigd laten" + agree_flag_title: "Ga akkoord met de melding en laat het bericht ongewijzigd" defer_flag: "Negeer" - defer_flag_title: "Verwijder deze melding; nu geen actie nodig" + defer_flag_title: "Verwijder deze melding; er is nu geen actie nodig" delete: "Verwijder" delete_title: "Verwijder het bericht waar deze melding naar verwijst" delete_post_defer_flag: "Verwijder bericht en negeer melding" - delete_post_defer_flag_title: "Verwijder bericht; de hele topic als dit het eerste bericht is" - delete_post_agree_flag: "Verwijder bericht en akkoord met melding" - delete_post_agree_flag_title: "Verwijder bericht; de hele topic als dit het eerste bericht is" + delete_post_defer_flag_title: "Verwijder bericht en als dit het eerste bericht is; de hele topic" + delete_post_agree_flag: "Ga akkoord met de melding en verwijder het bericht" + delete_post_agree_flag_title: "Verwijder bericht en als dit het eerste bericht is; de hele topic" delete_flag_modal_title: "Verwijder en ... " delete_spammer: "Verwijder spammer" - delete_spammer_title: "Verwijder de gebruiker en al hun berichten en topics." + delete_spammer_title: "Verwijder de gebruiker en alle door deze gebruiker geplaatste berichten en topics." disagree_flag_unhide_post: "Niet akkoord (toon bericht)" - disagree_flag_unhide_post_title: "Verwijder elke melding van dit bericht en maak het weer zichtbaar" + disagree_flag_unhide_post_title: "Verwijder alle meldingen over dit bericht en maak het bericht weer zichtbaar" disagree_flag: "Niet akkoord" disagree_flag_title: "Deze melding is ongeldig of niet correct" clear_topic_flags: "Gedaan" - clear_topic_flags_title: "Het topic is onderzocht en problemen zijn opgelost. Klik op Gedaan om de meldingen te verwijderen." + clear_topic_flags_title: "De topic is onderzocht en problemen zijn opgelost. Klik op Gedaan om de meldingen te verwijderen." more: "(meer antwoorden...)" dispositions: agreed: "akkoord" @@ -1867,7 +2119,7 @@ nl: topic_flagged: "Deze topic is gemarkeerd." visit_topic: "Ga naar de topic om te zien wat er aan de hand is en om actie te ondernemen" was_edited: "Bericht is gewijzigd na de eerste melding" - previous_flags_count: "Dit bericht is al {{count}} keer gevlagd." + previous_flags_count: "Er is al {{count}} keer melding gemaakt over dit bericht." summary: action_type_3: one: "off-topic" @@ -1898,25 +2150,25 @@ nl: delete: "Verwijder" delete_confirm: "Verwijder deze groepen?" delete_failed: "Kan groep niet verwijderen. Als dit een automatische groep is, kan deze niet verwijderd worden." - delete_member_confirm: "Verwijder '%{username}' van de '%{group'} groep?" - delete_owner_confirm: "Verwijder eigenaar privilege voor '% {username}'?" + delete_member_confirm: "Verwijder '%{username}' uit de '%{group'} groep?" + delete_owner_confirm: "Verwijder eigenaarsprivileges van '% {username}'?" name: "Naam" add: "Voeg toe" add_members: "Voeg leden toe" custom: "Aangepast" bulk_complete: "De gebruikers zijn toegevoegd aan de groep." - bulk: "Bulk toevoegen aan groep." - bulk_paste: "Plak een lijst van gebruikersnamen of e-mails, één per regel:" + bulk: "Bulk toevoegen aan groep" + bulk_paste: "Plak een lijst van gebruikersnamen of e-mailadressen, één per regel:" bulk_select: "(selecteer een groep)" automatic: "Automatisch" - automatic_membership_email_domains: "Gebruikers welke zich registeren met een email domein dat exact overeenkomt met de domeinen in deze lijst worden automatisch toegevoegd aan deze groep:" - automatic_membership_retroactive: "Pas deze email domein regel toe op reeds geregistreerde gebruikers" - default_title: "Standaard titel voor alle gebruikers in deze groep" + automatic_membership_email_domains: "Gebruikers die zich registeren met een e-mailadres bij een domein dat exact overeenkomt met de domeinen in deze lijst worden automatisch toegevoegd aan deze groep:" + automatic_membership_retroactive: "Pas deze e-mail domeinregel toe op reeds geregistreerde gebruikers" + default_title: "Standaardtitel voor alle gebruikers in deze groep" primary_group: "Automatisch ingesteld als primaire groep" group_owners: Eigenaren add_owners: Eigenaren toevoegen - incoming_email: "Aangepaste inkomende email adressen " - incoming_email_placeholder: "Voer je email adres in" + incoming_email: "Aangepaste inkomende e-mailadressen " + incoming_email_placeholder: "Voer je e-mailadres in" api: generate_master: "Genereer Master API Key" none: "Er zijn geen actieve API keys" @@ -1926,16 +2178,16 @@ nl: generate: "Genereer" regenerate: "Genereer opnieuw" revoke: "Intrekken" - confirm_regen: "Weet je zeker dat je die API Key wil vervangen door een nieuwe?" - confirm_revoke: "Weet je zeker dat je die API Key wil intrekken?" - info_html: "Met deze API key kun je met behulp van JSON calls topics maken en bewerken." + confirm_regen: "Weet je zeker dat je die API Key wilt vervangen door een nieuwe?" + confirm_revoke: "Weet je zeker dat je die API Key wilt intrekken?" + info_html: "Met deze API-key kun je met behulp van JSON-calls topics maken en bewerken." all_users: "Alle gebruikers" - note_html: "Houd deze sleutel geheim, gebruikers die deze sleutel hebben kunnen zich als elke andere gebruiker voordoen op het forum." + note_html: "Houd deze key geheim, alle gebruikers die hierover beschikken kunnen berichten plaatsen als elke andere gebruiker." plugins: title: "Plugins" installed: "Geïnstalleerde plugins" name: "Naam" - none_installed: "Je hebt geen plugins geinstalleerd." + none_installed: "Je hebt geen plugins geïnstalleerd." version: "Versie" enabled: "Ingeschakeld?" is_enabled: "J" @@ -1949,6 +2201,14 @@ nl: backups: "Backups" logs: "Logs" none: "Geen backup beschikbaar." + read_only: + enable: + title: "Schakel alleen-lezen modus in" + label: "Schakel alleen-lezen in" + confirm: "Weet je zeker dat je de alleen-lezen modus wilt inschakelen?" + disable: + title: "Schakel alleen-lezen modus uit" + label: "Schakel alleen-lezen uit" logs: none: "Nog geen logs..." columns: @@ -1966,7 +2226,7 @@ nl: cancel: label: "Annuleer" title: "Annuleer de huidige actie" - confirm: "Weet je zeker dat je de huidige actie wil annuleren?" + confirm: "Weet je zeker dat je de huidige actie wilt annuleren?" backup: label: "Backup" title: "Maak een backup" @@ -1977,7 +2237,7 @@ nl: title: "Download de backup" destroy: title: "Verwijder de backup" - confirm: "Weet je zeker dat je deze backup wil verwijderen?" + confirm: "Weet je zeker dat je deze backup wilt verwijderen?" restore: is_disabled: "Herstellen is uitgeschakeld in de instellingen." label: "Herstel" @@ -1986,19 +2246,19 @@ nl: rollback: label: "Herstel" title: "Herstel de database naar de laatst werkende versie" - confirm: "Weet je zeker dat je de database wilt terugzetten naar de vorige staat?" + confirm: "Weet je zeker dat je de database wilt terugzetten naar de vorige werkende staat?" export_csv: - user_archive_confirm: "Weet je zeker dat je al je berichten wil downloaden?" - success: "Exporteren is gestart, je zult gewaarschuwd worden als het proces is beeindigd." + user_archive_confirm: "Weet je zeker dat je al je berichten wilt downloaden?" + success: "Exporteren is gestart, je zult een bericht ontvangen als het proces is afgerond." failed: "Exporteren is mislukt. Controleer de logbestanden." - rate_limit_error: "Berichten kunnen eens per dag gedownload worden, probeer a.u.b. morgen nog een keer." + rate_limit_error: "Berichten kunnen één keer per dag gedownload worden, probeer het morgen nog eens." button_text: "Exporteren" button_title: - user: "Exporteer volledige gebruikerslijst in *.CSV-formaat" - staff_action: "Exporteer volledige staf actie log in CSV formaat." - screened_email: "Exporteer volledige gescreende email lijst in CSV formaat." - screened_ip: "Exporteer volledige gescreende IP lijst in CSV formaat." - screened_url: "Exporteerd volledige gescreende URL lijst in CSV formaat." + user: "Exporteer volledige gebruikerslijst in CSV-formaat" + staff_action: "Exporteer volledige staf actie logboek in CSV-formaat." + screened_email: "Exporteer volledige gescreende e-maillijst in CSV-formaat." + screened_ip: "Exporteer volledige gescreende IP-lijst in CSV-formaat." + screened_url: "Exporteerd volledige gescreende URL-lijst in CSV-formaat." export_json: button_text: "Exporteer" invite: @@ -2024,13 +2284,13 @@ nl: undo_preview: "verwijder voorbeeld" rescue_preview: "standaard stijl" explain_preview: "Bekijk de site met deze aangepaste stylesheet" - explain_undo_preview: "Herstel huidige geactiveerde aangepaste stylesheet" + explain_undo_preview: "Keer terug naar de aangepaste stylesheet die op dit moment ingesteld is" explain_rescue_preview: "Bekijk de site met de standaard stylesheet" save: "Opslaan" new: "Nieuw" new_style: "Nieuwe stijl" import: "Importeer" - import_title: "Selecteer een bestand of plak tekst." + import_title: "Selecteer een bestand of plak tekst" delete: "Verwijder" delete_confirm: "Verwijder deze aanpassing?" about: "Pas CSS stylesheets en HTML headers aan op de site. Voeg een aanpassing toe om te beginnen." @@ -2038,20 +2298,20 @@ nl: opacity: "Doorzichtigheid" copy: "Kopieër" email_templates: - title: "Email Sjabloon " + title: "E-mailsjabloon" subject: "Onderwerp" - multiple_subjects: "Dit email sjabloon heeft meerdere onderwerpen." + multiple_subjects: "Deze e-mailsjabloon heeft meerdere onderwerpen." body: "Body" - none_selected: "Kies een email sjabloon om te beginnen met bewerken." + none_selected: "Kies een e-mailsjabloon om te beginnen met bewerken." revert: "Maak wijzigingen ongedaan" - revert_confirm: "Weet je zeker dat je de veranderingen ongedaan wilt maken?" + revert_confirm: "Weet je zeker dat je je wijzigingen ongedaan wilt maken?" css_html: title: "CSS/HTML" long_title: "CSS en HTML aanpassingen" colors: title: "Kleuren" long_title: "Kleurenschema's" - about: "Met kleurenschema's kun je de kleuren in de site aanpassen zonder CSS te hoeven gebruiken. Kies er één of voeg er één to om te beginnen." + about: "Met kleurenschema's kun je de kleuren in de site aanpassen zonder CSS te hoeven gebruiken. Kies er één of voeg er één toe om te beginnen." new_name: "Nieuw kleurenschema" copy_name_prefix: "Kopie van" delete_confirm: "Dit kleurenschema verwijderen?" @@ -2079,7 +2339,7 @@ nl: description: "Tekst en iconen in de header." highlight: name: 'opvallen' - description: 'De achtergrondkleur van ' + description: 'De achtergrondkleur van gemarkeerde elementen op de pagina, zoals berichten en topics. ' danger: name: 'gevaar' description: 'Opvallende kleuren voor acties als verwijderen van berichten en topics' @@ -2088,7 +2348,7 @@ nl: description: 'Gebruikt om aan te geven dat een actie gelukt is.' love: name: 'liefde' - description: "De like knop kleur." + description: "De kleur van de likeknop" email: title: "E-mails" settings: "Instellingen" @@ -2099,6 +2359,7 @@ nl: test_error: "Er ging iets mis bij het versturen van de testmail. Kijk nog eens naar je mailinstellinen, controleer of je host mailconnecties niet blokkeert. Probeer daarna opnieuw." sent: "Verzonden" skipped: "Overgeslagen" + bounced: "Gebounced" received: "Ontvangen" rejected: "Geweigerd " sent_at: "Verzonden op" @@ -2107,10 +2368,10 @@ nl: email_type: "E-mailtype" to_address: "Ontvangeradres" test_email_address: "e-mailadres om te testen" - send_test: "verstuur test e-mail" + send_test: "Verstuur testmail" sent_test: "verzonden!" delivery_method: "Verzendmethode" - preview_digest_desc: "Voorbeeld van de digest e-mails die naar inactieve leden worden verzonden." + preview_digest_desc: "Bekijk een voorbeeld van de digest e-mails die gestuurd worden naar inactieve leden." refresh: "Verniew" format: "Formaat" html: "html" @@ -2119,23 +2380,25 @@ nl: reply_key: "Reply key" skipped_reason: "Reden van overslaan" incoming_emails: - from_address: "Van" - to_addresses: "Naar" + from_address: "From" + to_addresses: "To" cc_addresses: "Cc" - subject: "Onderwerp" - error: "Error" - none: "Geen inkomende emails gevonden." + subject: "Subject" + error: "Fout" + none: "Geen inkomende e-mails gevonden." modal: - title: "Inkomende Email Details" - error: "Error" - subject: "Onderwerp" + title: "Details inkomende e-mail" + error: "Fout" + headers: "Headers" + subject: "Subject" body: "Body" + rejection_message: "Afwijzingsmail" filters: - from_placeholder: "from@example.com" - to_placeholder: "to@example.com" - cc_placeholder: "cc@example.com" - subject_placeholder: "Onderwerp.." - error_placeholder: "Error" + from_placeholder: "van@voorbeeld.nl" + to_placeholder: "aan@voorbeeld.nl" + cc_placeholder: "cc@voorbeeld.nl" + subject_placeholder: "Onderwerp..." + error_placeholder: "Fout" logs: none: "Geen logs gevonden." filters: @@ -2152,7 +2415,7 @@ nl: last_match_at: "Laatste match" match_count: "Matches" ip_address: "IP" - topic_id: "Topic ID" + topic_id: "Topic-ID" post_id: "Bericht ID" category_id: "Categorie ID" delete: 'Verwijder' @@ -2183,9 +2446,9 @@ nl: change_trust_level: "verander trustlevel" change_username: "wijzig gebruikersnaam" change_site_setting: "verander instellingen" - change_site_customization: "verander site aanpassingen" - delete_site_customization: "verwijder site aanpassingen" - change_site_text: "Verander site tekst" + change_site_customization: "verander site-aanpassingen" + delete_site_customization: "verwijder site-aanpassingen" + change_site_text: "verander tekst van site" suspend_user: "schors gebruiker" unsuspend_user: "hef schorsing op" grant_badge: "ken badge toe" @@ -2195,20 +2458,23 @@ nl: delete_post: "verwijder bericht" impersonate: "Log in als gebruiker" anonymize_user: "maak gebruiker anoniem" - roll_up: "groepeer verbannen IP-adressen" - change_category_settings: "verander categorie instellingen" + roll_up: "voeg IP-adressen samen in blokken" + change_category_settings: "verander categorie-instellingen" delete_category: "categorie verwijderen" - create_category: "categorie creeren" + create_category: "nieuwe categorie" block_user: "blokkeer gebruiker" unblock_user: "deblokkeer gebruiker" - grant_admin: "Ken Beheerdersrechten toe" - revoke_admin: "Ontneem beheerdersrechten" - grant_moderation: "Geef modereerrechten" - revoke_moderation: "Ontneem modereerrechten" - backup_operation: "backup handeling" + grant_admin: "geef beheerdersrechten" + revoke_admin: "ontneem beheerdersrechten" + grant_moderation: "geef modereerrechten" + revoke_moderation: "ontneem modereerrechten" + backup_operation: "backuphandeling" + deleted_tag: "verwijderde tag" + renamed_tag: "hernoemde tag" + revoke_email: "trek e-mail in" screened_emails: title: "Gescreende e-mails" - description: "Nieuwe accounts met een van deze mailadressen worden geblokkeerd of een andere actie wordt ondernomen." + description: "Nieuwe accounts met een van deze e-mailadressen worden geblokkeerd of een andere actie wordt ondernomen." email: "E-mailadres" actions: allow: "Sta toe" @@ -2220,24 +2486,24 @@ nl: screened_ips: title: "Gescreende ip-adressen" description: 'IP-adressen die in de gaten worden gehouden. Kies ''sta toe'' om deze op een witte lijst te zetten.' - delete_confirm: "Weet je zeker dat je de regel voor %{ip_address} wil verwijderen?" + delete_confirm: "Weet je zeker dat je de regel voor %{ip_address} wilt verwijderen?" roll_up_confirm: "Weet je zeker dat je regelmatig gescreende IP-adressen wilt samenvoegen tot subnets?" - rolled_up_some_subnets: "Succesvol IP ban entries samengevoegd tot deze subnets: %{subnets}." + rolled_up_some_subnets: "Verbannen IP-adressen zijn zojuist samengevoegd tot deze subnets: %{subnets}." rolled_up_no_subnet: "Er was niets om samen te voegen." actions: block: "Blokkeer" do_nothing: "Sta toe" - allow_admin: "Toestaan Beheerder" + allow_admin: "Sta Beheerder Toe" form: label: "Nieuw:" ip_address: "IP-adres" add: "Voeg toe" filter: "Zoek" roll_up: - text: "Groepeer verbannen IP adressen" + text: "Groepeer IP-adressen" title: "Creëer nieuwe subnet ban entries als er tenminste 'min_ban_entries_for_roll_up' entries zijn." logster: - title: "Fout Logs" + title: "Foutlogs" impersonate: title: "Log in als gebruiker" help: "Gebruik dit hulpmiddel om in te loggen als een gebruiker voor debug-doeleinden. Je moet uitloggen als je klaar bent." @@ -2246,7 +2512,7 @@ nl: users: title: 'Leden' create: 'Voeg beheerder toe' - last_emailed: "Laatste mail verstuurd" + last_emailed: "Laatste e-mail verstuurd" not_found: "Sorry, deze gebruikersnaam bestaat niet in ons systeem." id_not_found: "Sorry, deze gebruikersnaam bestaat niet in ons systeem." active: "Actief" @@ -2270,11 +2536,11 @@ nl: active: 'Actieve leden' new: 'Nieuwe leden' pending: 'Nog niet geaccepteerde leden' - newuser: 'Leden met Trust Level 0 (Nieuw lid)' - basic: 'Leden met Trust Level 1 (Lid)' - member: 'Leden op Trust Level 2 (Lid)' - regular: 'Leden op Trust Level 3 (Vaste bezoeker)' - leader: 'Leden op Trust Level 4 (Leider)' + newuser: 'Leden op trustlevel 0 (Nieuw lid)' + basic: 'Leden op trustlevel 1 (Basislid)' + member: 'Leden op trustlevel 2 (Lid)' + regular: 'Leden op trustlevel 3 (Vaste bezoeker)' + leader: 'Leden op trustlevel 4 (Leider)' staff: "Stafleden" admins: 'Administrators' moderators: 'Moderators' @@ -2300,14 +2566,14 @@ nl: suspend_reason: "Reden" suspended_by: "Geschorst door" delete_all_posts: "Verwijder alle berichten" - delete_all_posts_confirm: "Je gaat %{posts} en %{topics} verwijderen. Zeker weten?" + delete_all_posts_confirm: "Je staat op het punt om %{posts} berichten en %{topics} topics verwijderen. Weet je het zeker?" suspend: "Schors" unsuspend: "Herstel schorsing" suspended: "Geschorst?" moderator: "Moderator?" admin: "Beheerder?" blocked: "Geblokkeerd?" - staged: "Opvoeren?" + staged: "Staged?" show_admin_profile: "Beheerder" edit_title: "Wijzig titel" save_title: "Bewaar titel" @@ -2327,9 +2593,9 @@ nl: reputation: Reputatie permissions: Toestemmingen activity: Activiteit - like_count: '''Vind ik leuks'' gegeven / ontvangen' + like_count: Likes gegeven / ontvangen last_100_days: 'in de laatste 100 dagen' - private_topics_count: Privétopics + private_topics_count: Privé-topics posts_read_count: Berichten gelezen post_count: Berichten gemaakt topics_entered: Topics bekeken @@ -2343,7 +2609,7 @@ nl: approve_bulk_success: "Alle geselecteerde gebruikers zijn geaccepteerd en een e-mail met instructies voor activering is verstuurd." time_read: "Leestijd" anonymize: "Anonimiseer Gebruiker" - anonymize_confirm: "Weet je ZEKER dat je dit account wilt anonimiseren? Dit zal de gebruikersnaam en email-adres veranderen en alle profiel informatie resetten." + anonymize_confirm: "Weet je ZEKER dat je dit account wilt anonimiseren? Dit zal de gebruikersnaam en e-mailadres veranderen en alle profielinformatie resetten." anonymize_yes: "Ja, anonimiseer dit account" anonymize_failed: "Er was een probleem bij het anonimiseren van het account." delete: "Verwijder gebruiker" @@ -2358,7 +2624,7 @@ nl: cant_delete_all_too_many_posts: one: "Kan niet alle berichten verwijderen omdat de gebruiker meer dan 1 bericht heeft (delete_all_posts_max)." other: "Kan niet alle berichten verwijderen omdat de gebruiker meer dan %{count} berichten heeft (delete_all_posts_max)." - delete_confirm: "Weet je zeker dat je deze gebruiker definitief wil verwijderen? Deze handeling kan niet ongedaan worden gemaakt! " + delete_confirm: "Weet je zeker dat je deze gebruiker definitief wilt verwijderen? Deze handeling kan niet ongedaan worden gemaakt! " delete_and_block: "Verwijder en blokkeer dit e-mail- en IP-adres" delete_dont_block: "Alleen verwijderen" deleted: "De gebruiker is verwijderd." @@ -2372,44 +2638,53 @@ nl: deactivate_failed: "Er ging iets mis bij het deactiveren van deze gebruiker." unblock_failed: 'Er ging iets mis bij het deblokkeren van deze gebruiker.' block_failed: 'Er ging iets mis bij het blokkeren van deze gebruiker.' - block_confirm: 'Weet je zeker dat je deze gebruikt wilt blokkeren? Deze gebruikers is dan niet meer in staat om nieuwe topics of berichten te plaatsen.' + block_confirm: 'Weet je zeker dat je deze gebruiker wilt blokkeren? Deze gebruiker is dan niet meer in staat om nieuwe topics of berichten te plaatsen.' block_accept: 'Ja, blokkeer deze gebruiker' + bounce_score: "Bouncescore" + reset_bounce_score: + label: "Reset" + title: "Reset bouncescore naar 0" deactivate_explanation: "Een gedeactiveerde gebruiker moet zijn e-mailadres opnieuw bevestigen." suspended_explanation: "Een geschorste gebruiker kan niet meer inloggen." block_explanation: "Een geblokkeerde gebruiker kan geen topics maken of reageren op topics." - trust_level_change_failed: "Er ging iets mis bij het wijzigen van het trust level van deze gebruiker." + staged_explanation: "Een staged gebruiker kan alleen via e-mail in specifieke topics berichten plaatsen." + bounce_score_explanation: + none: "Er zijn onlangs geen bounceberichten ontvangen van dit e-mailadres." + some: "Er zijn onlangs enkele bounceberichten ontvangen van dit e-mailadres." + threshold_reached: "Er zijn te veel bounceberichten ontvangen van dit e-mailadres." + trust_level_change_failed: "Er ging iets mis bij het wijzigen van het trustlevel van deze gebruiker." suspend_modal_title: "Schors gebruiker" - trust_level_2_users: "Trust Level 2 leden" - trust_level_3_requirements: "Trust Level 3 vereisten" - trust_level_locked_tip: "trust level is geblokkeerd, het systeem zal geen gebruiker bevorderen of degraderen" - trust_level_unlocked_tip: "trust level is gedeblokkeerd, het systeem zal gebruiker bevorderen of degraderen" + trust_level_2_users: "Trustlevel 2 leden" + trust_level_3_requirements: "Trustlevel 3 vereisten" + trust_level_locked_tip: "trustlevel is vrijgegeven, het systeem zal geen gebruiker bevorderen of degraderen" + trust_level_unlocked_tip: "trustlevel is vrijgegeven, het systeem zal gebruiker bevorderen of degraderen" lock_trust_level: "Zet trustlevel vast" - unlock_trust_level: "Deblokkeer Trust Level" + unlock_trust_level: "Geef trustlevel vrij" tl3_requirements: - title: "Vereisten voor Trust Level 3" + title: "Vereisten voor trustlevel 3" table_title: "In de laatste %{time_period} dagen:" value_heading: "Waarde" requirement_heading: "Vereiste" visits: "Bezoeken" days: "dagen" topics_replied_to: "Topics waarin gereageerd is" - topics_viewed: "Bekeken topics" - topics_viewed_all_time: "Topics bezocht (ooit)" + topics_viewed: "Topics bekeken" + topics_viewed_all_time: "Topics bekeken (sinds begin)" posts_read: "Gelezen berichten" posts_read_all_time: "Berichten gelezen (ooit)" flagged_posts: "Gemarkeerde berichten" flagged_by_users: "Gebruikers die gemarkeerd hebben" - likes_given: "'Vind ik leuks' gegeven" - likes_received: "'Vind ik leuks' ontvangen" + likes_given: "Likes gegeven" + likes_received: "Likes ontvangen" likes_received_days: "Ontvangen likes: unieke dagen" likes_received_users: "Ontvangen likes: unieke gebruikers" - qualifies: "Komt in aanmerking voor Trust Level 3" - does_not_qualify: "Komt niet in aanmerking voor Trust Level 3" + qualifies: "Komt in aanmerking voor trustlevel 3" + does_not_qualify: "Komt niet in aanmerking voor trustlevel 3" will_be_promoted: "Zal binnenkort gepromoot worden." will_be_demoted: "Zal binnenkort gedegradeerd worden." - on_grace_period: "Op het ogenblik in promotie gratieperiode, zal niet worden gedegradeerd." - locked_will_not_be_promoted: "Trust level geblokkeerd. Zal nooit bevorderd worden." - locked_will_not_be_demoted: "Trust level geblokkeerd. Zal nooit gedegradeerd worden." + on_grace_period: "Op dit moment in promotiegratieperiode, zal niet worden gedegradeerd." + locked_will_not_be_promoted: "Trustlevel vastgezet. Zal nooit bevorderd worden." + locked_will_not_be_demoted: "Trustlevel vastgezet. Zal nooit gedegradeerd worden." sso: title: "Single Sign On" external_id: "Externe ID" @@ -2440,22 +2715,26 @@ nl: enabled: "kan gewijzigd worden" disabled: "wijzigen niet mogelijk" show_on_profile: - title: "Laat zien op het publieke profiel?" + title: "Laat zien op openbaar profiel?" enabled: "wordt getoond op profiel" disabled: "wordt niet getoond op profiel" + show_on_user_card: + title: "Toon op gebruikersprofiel?" + enabled: "getoond op gebruikersprofiel" + disabled: "niet getoond op gebruikerskaart" field_types: text: 'Tekstveld' confirm: 'Bevestiging' - dropdown: "Uitklapbaar" + dropdown: "Uitklapmenu" site_text: - description: "Je kunt alle tekst of jouw forum aanpassen. Begin met zoeken hieronder:" - search: "Zoek voor tekst die je graag wilt bewerken." + description: "Je kunt alle tekst op dit forum aanpassen. Begin met zoeken hieronder:" + search: "Zoek naar de tekst die je wil aanpassen" title: 'Tekst Inhoud' edit: 'bewerk' revert: "Maak wijzigingen ongedaan" - revert_confirm: "Weet je zeker dat je de veranderingen ongedaan wilt maken?" - go_back: "Terug naar zoeken" - recommended: "We bevelen je aan die tekst aan te passen naar je eigen ingeving. " + revert_confirm: "Weet je zeker dat je je wijzigingen ongedaan wilt maken?" + go_back: "Terug naar Zoeken" + recommended: "We adviseren je de volgende tekst aan te passen naar je eigen smaak: " show_overriden: 'Bekijk alleen bewerkte instellingen' site_settings: show_overriden: 'Bekijk alleen bewerkte instellingen' @@ -2488,6 +2767,7 @@ nl: login: "Gebruikersnaam" plugins: "Plugins" user_preferences: "Gebruikersvoorkeuren" + tags: "Tags" badges: title: Badges new_badge: Nieuwe badge @@ -2496,20 +2776,21 @@ nl: badge: Embleem display_name: Lange naam description: Omschrijving + long_description: Lange omschrijving badge_type: Badgetype badge_grouping: Groep badge_groupings: - modal_title: Badge Groeperingen + modal_title: Badgegroeperingen granted_by: Toegekend door granted_at: Toegekend op - reason_help: (een link naar een bericht op topic) + reason_help: (een link naar een bericht of topic) save: Bewaar delete: Verwijder - delete_confirm: Weet je zeker dat je deze badge wil verwijderen? + delete_confirm: Weet je zeker dat je deze badge wilt verwijderen? revoke: Intrekken reason: Reden expand: Uitklappen... - revoke_confirm: Weet je zeker dat je deze badge in wil trekken? + revoke_confirm: Weet je zeker dat je deze badge in wilt trekken? edit_badges: Wijzig badges grant_badge: Ken badge toe granted_badges: Toegekende badges @@ -2519,35 +2800,36 @@ nl: none_selected: "Selecteer een badge om aan de slag te gaan" allow_title: Embleem mag als titel gebruikt worden multiple_grant: Kan meerdere malen worden toegekend - listable: Badge op de publieke badges pagina tonen + listable: Badge op de openbare badgespagina tonen enabled: Badge aanzetten icon: Icoon image: Afbeelding - icon_help: "Gebruik ofwel een Font Awesome klasse of een URL naar een afbeelding" - query: Badge Query (SQL) + icon_help: "Gebruik ofwel een Font Awesome class of een URL naar een afbeelding" + query: Badge query (SQL) target_posts: Geassocieerde berichten opvragen auto_revoke: Intrekkingsquery dagelijks uitvoeren - show_posts: Toon bericht verlenend badge op badge pagina - trigger: Trekker + show_posts: Toon bericht waarmee de badge is verdiend op badgepagina + trigger: Trigger trigger_type: none: "Dagelijks bijwerken" post_action: "Wanneer een gebruiker handelt op een bericht" - post_revision: "Wanneer een gebruiker een bericht wijzigt of creeert" - trust_level_change: "Wanneer een gebruiker van trust level verandert" - user_change: "Wanneer een gebruiker is gewijzigd of gecreeerd" + post_revision: "Wanneer een gebruiker een bericht wijzigt of creëert" + trust_level_change: "Wanneer een gebruiker van trustlevel verandert" + user_change: "Wanneer een gebruiker is gewijzigd of gecreëerd" + post_processed: "Nadat een bericht is verwerkt" preview: link_text: "Voorbeeld toegekende badges" plan_text: "Voorbeeld met uitvoeringsplan" - modal_title: "Proefverwerking Badge Query" + modal_title: "Preview badge query" sql_error_header: "Er ging iets fout met de query." error_help: "Bekijk de volgende links voor hulp met badge queries." bad_count_warning: header: "LET OP!" - text: "Er zijn vermiste toekennings-voorbeelden. Dit gebeurt als de badge query gebruikers- of bericht-ID's retourneert die niet bestaan. Dit kan onverwachte resultaten veroorzaken op een later tijdstip - kijk a.u.b. uw query goed na." + text: "Er ontbreken toekenningsvoorbeelden. Dit gebeurt als de badge query gebruikers- of bericht-ID's retourneert die niet bestaan. Dit kan onverwachte resultaten veroorzaken op een later tijdstip - kijk a.u.b. je query goed na." no_grant_count: "Geen badges om toe te wijzen." grant_count: one: "1 badge toe te wijzen." - other: "%{count} badges toe te wijzen." + other: "%{count} badges zullen worden toegewezen." sample: "Voorbeeld:" grant: with: %{username} @@ -2556,137 +2838,47 @@ nl: with_time: %{username} om %{time} emoji: title: "Emoji" - help: "Voeg nieuwe emoji toe welke beschikbaar zullen zijn voor iedereen. (PROTIP: drag & drop meerdere bestanden ineens)" - add: "Voeg Nieuw Emoji Toe" + help: "Voeg nieuwe emoji toe die beschikbaar zullen zijn voor iedereen. (PROTIP: drag & drop meerdere bestanden tegelijk)" + add: "Voeg nieuw emoji toe" name: "Naam" image: "Afbeelding" delete_confirm: "Weet je zeker dat je de :%{name}: emoji wilt verwijderen?" embedding: get_started: "Als je Discourse wilt embedden in een andere website, begin met het toevoegen van de host van die website." confirm_delete: "Weet je zeker dat je die host wilt verwijderen?" - sample: "Gebruik de volgende HTML code om discourse topics te maken en te embedden in je website . Vervang REPLACE_ME met de canonical URL van de pagina waarin je wilt embedden." + sample: "Gebruik de volgende HTML-code om discourse topics te maken en te embedden in je website. Vervang REPLACE_ME met de volledige URL van de pagina waarin je het topic wilt embedden." title: "Embedden" - host: "Toegestane Hosts" + host: "Toegestane hosts" edit: "wijzig" - category: "Bericht naar Categorie" - add_host: "Host Toevoegen" - settings: "Embedding Instellingen" - feed_settings: "Feed Instellingen" - feed_description: "Een RRS/ATOM feed op je site kan de import van content naar Discourse verbeteren." - crawling_settings: "Crawler Instellingen" - crawling_description: "Als Discourse topics maakt voor je berichten, zonder dat er gebruik gemaakt wordt van RSS/ATOM feed, dan zal Discourse proberen je content vanuit je HTML te parsen. Soms kan het een complex zijn om je content af te leiden, daarom voorziet Discourse in de mogelijkheid voor het specificeren van CSS regels om het afleiden gemakkelijker te maken." + category: "Bericht naar categorie" + add_host: "Voeg host toe" + settings: "Embeddinginstellingen" + feed_settings: "Feedinstellingen" + feed_description: "Een RSS- of ATOM-feed van je site kan de import van content naar Discourse verbeteren." + crawling_settings: "Crawlerinstellingen" + crawling_description: "Als Discourse topics maakt voor je berichten, zonder dat er gebruik gemaakt wordt van de RSS/ATOM feed, dan zal Discourse proberen je content vanuit je HTML te parsen. Soms kan het complex zijn om je content af te leiden, daarom voorziet Discourse in de mogelijkheid voor het specificeren van CSS-regels om het afleiden gemakkelijker te maken." embed_by_username: "Gebruikersnaam voor het maken van topics" embed_post_limit: "Maximaal aantal berichten om te embedden" - embed_username_key_from_feed: "Key voor de Discourse gebruikersnaam in de feed." + embed_username_key_from_feed: "Key om de discourse gebruikersnaam uit de feed te halen" embed_truncate: "Embedde berichten inkorten" embed_whitelist_selector: "CSS selector voor elementen die worden toegestaan bij embedding" embed_blacklist_selector: "CSS selector voor elementen die worden verwijderd bij embedding" + embed_classname_whitelist: "Toegestane CSS-classnamen" feed_polling_enabled: "Importeer berichten via RSS/ATOM" feed_polling_url: "URL van RSS/ATOM feed voor crawling" - save: "Embedding Instellingen Opslaan " + save: "Embeddinginstellingen opslaan " permalink: title: "Permalink" url: "URL" - topic_id: "Topic ID" + topic_id: "Topic-ID" topic_title: "Topic" post_id: "Bericht ID" post_title: "Bericht" category_id: "Categorie ID" category_title: "Categorie" external_url: "Externe URL" - delete_confirm: Weet je zeker dat je deze permalink wil verwijderen? + delete_confirm: Weet je zeker dat je deze permalink wilt verwijderen? form: label: "Nieuw:" add: "Voeg toe" filter: "Zoeken (URL of Externe URL)" - lightbox: - download: "download" - search_help: - title: 'Zoek in Help' - keyboard_shortcuts_help: - title: 'Sneltoetsen' - jump_to: - title: 'Spring naar' - home: 'g, h Hoofdpagina' - latest: 'g, l Laatste' - new: 'g, n Nieuw' - unread: 'g, u Ongelezen' - categories: 'g, c Categoriën' - top: 'g, t Top' - bookmarks: 'g, b Favorieten' - profile: 'g, p Profiel' - messages: 'g, m Berichten' - navigation: - title: 'Navigatie' - jump: '# Ga naar bericht #' - back: 'u Terug' - up_down: 'k/j Verplaats selectie ↑ ↓' - open: 'o of Enter Open geselecteerde topic' - next_prev: 'shift+j/shift+k Volgende/vorige sectie' - application: - title: 'Applicatie' - create: 'c Maak nieuwe topic' - notifications: 'n Open notificaties' - hamburger_menu: '= Open hamburger menu' - user_profile_menu: 'p Open gebruikersmenu' - show_incoming_updated_topics: '. Toon gewijzigde topics' - search: '/ Zoek' - help: '? Open sneltoetsen help' - dismiss_new_posts: 'x, r Seponeer Nieuw/Berichten' - dismiss_topics: 'x, t Seponeer Topics' - log_out: 'shift+z shift+z Uitloggen' - actions: - title: 'Acties' - bookmark_topic: 'f Toggle bladwijzer van topic' - pin_unpin_topic: 'shift+p Vastpinnen/Ontpinnen topic' - share_topic: 'shift+s Deel topic' - share_post: 's Deel bericht' - reply_as_new_topic: 't Reageer als verwezen topic' - reply_topic: 'shift+r Reageer op topic' - reply_post: 'shift r Reageer op bericht' - quote_post: 'q Citeer bericht' - like: 'l Vind bericht leuk' - flag: '! Markeer bericht' - bookmark: 'b Bookmark bericht' - edit: 'e Wijzig bericht' - delete: 'd Verwijder bericht' - mark_muted: 'm, m Negeer topic' - mark_regular: 'm, r Markeer topic als normaal' - mark_tracking: 'm, t Markeer topic als volgen' - mark_watching: 'm, w Markeer topic als in de gaten houden' - badges: - earned_n_times: - one: "Verdiende deze badge 1 keer" - other: "Verdiende deze badge %{count} keer" - title: Badges - badge_count: - one: "1 Badge" - other: "%{count} Badges" - more_badges: - one: "+1 Meer" - other: "+%{count} Meer" - granted: - one: "1 toegekend" - other: "%{count} toegekend" - select_badge_for_title: Kies een badge om als je titel te gebruiken - none: "-
- diff --git a/config/locales/client.pl_PL.yml b/config/locales/client.pl_PL.yml index b6732fc744..3c42db1aba 100644 --- a/config/locales/client.pl_PL.yml +++ b/config/locales/client.pl_PL.yml @@ -270,8 +270,6 @@ pl_PL: disable: "Wyłącz" undo: "Cofnij" failed: "Niepowodzenie" - switch_to_anon: "Tryb anonimowy" - switch_from_anon: "Zakończ tryb anonimowy" banner: close: "Zamknij ten baner." edit: "Edytuj ten baner >>" @@ -463,7 +461,6 @@ pl_PL: disable: "Wyłącz powiadomienia" enable: "Włącz powiadomienia" each_browser_note: "Uwaga: to ustawienie musisz zmienić w każdej przeglądarce której używasz." - dismiss_notifications: "Oznacz jako przeczytane" dismiss_notifications_tooltip: "Oznacz wszystkie powiadomienia jako przeczytane" disable_jump_reply: "Po odpowiedzi nie przechodź do nowego wpisu" dynamic_favicon: "Pokazuj licznik powiadomień na karcie jako dynamiczny favicon" @@ -479,9 +476,7 @@ pl_PL: suspended_reason: "Powód: " github_profile: "Github" watched_categories: "Obserwowane" - watched_categories_instructions: "Będziesz automatycznie śledzić wszystkie nowe tematy w tych kategoriach. Będziesz otrzymywać powiadomienie o każdym nowym wpisie i temacie, a liczba nieprzeczytanych i nowych wpisów będzie wyświetlana obok tytułów na liście tematów. " tracked_categories: "Śledzone" - tracked_categories_instructions: "Będziesz automatycznie śledzić wszystkie nowe tematy w tych kategoriach. Licznik nowych wpisów pojawi się obok tytułu na liście tematów." muted_categories: "Wyciszone" muted_categories_instructions: "Nie będziesz powiadamiany o nowych tematach w tych kategoriach. Nie pojawią się na liście nieprzeczytanych." delete_account: "Usuń moje konto" @@ -837,10 +832,6 @@ pl_PL: github: title: "przez GitHub" message: "Uwierzytelnianie przez GitHub (upewnij się, że blokada wyskakujących okienek nie jest włączona)" - apple_international: "Apple/International" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -1585,10 +1576,8 @@ pl_PL: notifications: watching: title: "Obserwuj wszystko" - description: "Będziesz automatycznie śledzić wszystkie nowe tematy w tych kategoriach. Otrzymasz powiadomienie o każdym nowym wpisie i temacie. Wyświetlimy liczbę nowych odpowiedzi na liście tematów." tracking: title: "Śledzona" - description: "Będziesz automatycznie śledzić wszystkie tematy w tych kategoriach. Otrzymasz powiadomienie jeśli ktoś wspomni twój @login lub odpowie na twój wpis. Licznik nowych odpowiedzi pojawi się na liście tematów." regular: title: "Normalny" description: "Dostaniesz powiadomienie jedynie, gdy ktoś wspomni twoją @nazwę lub odpowie na twój wpis." @@ -1626,7 +1615,6 @@ pl_PL: title: "Podsumowanie tematu" participants_title: "Najczęściej piszą" links_title: "Popularne linki" - links_shown: "pokaż wszystkie {{totalLinks}} odnośników…" clicks: one: "1 kliknięcie" few: "%{count} kliknięć" diff --git a/config/locales/client.pt.yml b/config/locales/client.pt.yml index fb5917d8b3..00a4d32cbc 100644 --- a/config/locales/client.pt.yml +++ b/config/locales/client.pt.yml @@ -27,6 +27,7 @@ pt: millions: "{{number}}M" dates: time: "hh:mm" + timeline_date: "MMM YYYY" long_no_year: "DD MMM hh:mm" long_no_year_no_time: "DD MMM" full_no_year_no_time: "Do MMMM" @@ -38,6 +39,7 @@ pt: long_date_with_year_without_time: "DD MMM, 'YY" long_date_without_year_with_linebreak: "DD MMM{{username}} {{description}}
" invitee_accepted: "{{username}} aceitou o seu convite
" moved_post: "{{username}} moveu {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Ganhou '{{description}}'
" group_message_summary: one: "{{count}} mensagem na caixa de entrada do seu grupo {{group_name}}
" @@ -1257,8 +1256,6 @@ pt: no_banner_exists: "Não existe tópico de faixa." banner_exists: "Existe atualmente um tópico de faixa." inviting: "A Convidar..." - automatically_add_to_groups_optional: "Este convite também inclui acesso a estes grupos: (opcional, apenas Administração)" - automatically_add_to_groups_required: "Esse convite também inclui acesso a estes grupos: (Obrigatório, apenas Administração)" invite_private: title: 'Convidar para Mensagem' email_or_username: "Email ou Nome de Utilizador do Convidado" @@ -1584,10 +1581,8 @@ pt: notifications: watching: title: "A vigiar" - description: "Irá vigiar automaticamente todos os novos tópicos nestas categorias. Irá ser notificado de cada nova mensagem em cada tópico, e uma contagem de novas respostas será exibida." tracking: title: "Acompanhar" - description: "Irá acompanhar automaticamente todos os novos tópicos nestas categorias. Irá ser notificado se alguém mencionar o seu @nome ou lhe responder, e uma contagem de novas respostas será exibida." regular: title: "Normal" description: "Será notificado se alguém mencionar o seu @nome ou responder-lhe." @@ -1627,7 +1622,6 @@ pt: title: "Sumário do Tópico" participants_title: "Autores Frequentes" links_title: "Hiperligações Populares" - links_shown: "mostrar todas as {{totalLinks}} hiperligações..." clicks: one: "1 clique" other: "%{count} cliques" @@ -2618,148 +2612,3 @@ pt: label: "Novo:" add: "Adicionar" filter: "Pesquisar (URL ou URL Externo)" - lightbox: - download: "descarregar" - search_help: - title: 'Pesquisar Ajuda' - keyboard_shortcuts_help: - title: 'Atalhos de Teclado' - jump_to: - title: 'Ir Para' - home: 'g, h Página Principal' - latest: 'g, l Recentes' - new: 'g, n Novo' - unread: 'g, u Não lido' - categories: 'g, c Categorias' - top: 'g, t Os Melhores' - bookmarks: 'g, b Marcadores' - profile: 'g, p Perfil' - messages: 'g, m Mensagens' - navigation: - title: 'Navegação' - jump: '# Ir para o post #' - back: 'u Retroceder' - up_down: 'k/j Mover seleção ↑ ↓' - open: 'o ou Enter Abrir tópico selecionado' - next_prev: 'shift+j/shift+k Secção Seguinte/Anterior' - application: - title: 'Aplicação' - create: 'c Criar um novo tópico' - notifications: 'n Abrir notificações' - hamburger_menu: '= Abrir menu hamburger' - user_profile_menu: 'p Abrir menu do utilizador' - show_incoming_updated_topics: '. Mostrar tópicos atualizados' - search: '/ Pesquisar' - help: '? Abrir ajuda do teclado' - dismiss_new_posts: 'x, r Destituir Novos/Mensagens' - dismiss_topics: 'x, t Destituir Tópicos' - log_out: 'shift+z shift+z Terminar Sessão' - actions: - title: 'Ações' - bookmark_topic: 'f Alternar marcador de tópico' - pin_unpin_topic: 'shift+p Tópico Fixado/Desafixado' - share_topic: 'shift+s Partilhar tópico' - share_post: 's Partilhar mensagem' - reply_as_new_topic: 't Responder como tópico hiperligado' - reply_topic: 'shift+r Responder ao tópico' - reply_post: 'r Responder à mensagem' - quote_post: 'q Citar mensagem' - like: 'l Gostar da mensagem' - flag: '! Sinalizar mensagem' - bookmark: 'b Adicionar mensagem aos marcadores' - edit: 'e Editar mensagem' - delete: 'd Eliminar mensagem' - mark_muted: 'm, m Silenciar tópico' - mark_regular: 'm, r Tópico Habitual (por defeito)' - mark_tracking: 'm, t Acompanhar tópico' - mark_watching: 'm, w Vigiar este tópico' - badges: - earned_n_times: - one: "Ganhou esta medalha 1 vez" - other: "Ganhou esta medalha %{count} vezes" - granted_on: "Ganho %{date}" - others_count: "Outras pessoas com esta medalha (%{count})" - title: Distintivos - allow_title: "título disponivel" - multiple_grant: "atribuido multiplas vezes" - badge_count: - one: "1 Distintivo" - other: "%{count} Distintivos" - more_badges: - one: "+1 Mais" - other: "+%{count} Mais" - granted: - one: "1 concedida" - other: "%{count} concedidas" - select_badge_for_title: Selecionar um distintivo para usar como título - none: "-
- - tagging: - all_tags: "Todas as Etiquetas" - selector_all_tags: "todas as etiquetas" - changed: "etiquetas modificadas:" - tags: "Etiquetas" - choose_for_topic: "escolha etiquetas opcionais para este tópico" - delete_tag: "Remover Etiqueta" - delete_confirm: "Tem a certeza que deseja remover esta etiqueta?" - rename_tag: "Renomear Etiqueta" - rename_instructions: "Escolha o novo nome para a etiqueta:" - sort_by: "Ordenar por:" - sort_by_count: "contagem" - sort_by_name: "nome" - filters: - without_category: "%{filter} %{tag} tópicos" - with_category: "%{filter} %{tag} tópicos em %{category}" - notifications: - watching: - title: "A vigiar" - description: "Vigiará automaticamente todos os tópicos novos nesta etiqueta. Será notificado acerca de todas as novas mensagens e tópicos,bem como lhe será apresentada a contagem de mensagens por ler e novas ao lado do tópico." - tracking: - title: "A seguir" - description: "Irá automaticamente seguir todos os novos tópicos nesta etiqueta. Uma contagem de mensagens não lidas e novas aparecerá ao lado to tópico." - regular: - title: "Regular" - description: "Será notificado quando alguém mencione o seu @nome ou responda à sua mensagem." - muted: - title: "Silenciado" - description: "Não será notificado acerca de novos tópicos sob esta etiqueta, não aparecendo eles no seu separador de não lidos." - topics: - none: - unread: "Não tem tópicos por ler." - new: "Não tem nenhum tópico novo." - read: "Ainda não leu quaisquer tópicos." - posted: "Ainda não publicou nada em um tópico qualquer." - latest: "Não há tópicos recentes." - hot: "Não há tópicos quentes." - bookmarks: "Não marcou qualquer tópico ainda." - top: "Não há quaisquer tópicos de topo." - search: "Não há resultados para a procura." - bottom: - latest: "Não há mais tópicos recentes." - hot: "Não há mais tópicos quentes." - posted: "Não existem mais tópicos publicados." - read: "Não existem mais tópicos lidos." - new: "Não existem mais tópicos novos." - unread: "Não existem mais tópicos por ler." - top: "Não existem mais tópicos de topo." - bookmarks: "Não existem mais tópicos marcados." - search: "Não existem mais resultados de pesquisa." diff --git a/config/locales/client.pt_BR.yml b/config/locales/client.pt_BR.yml index faffd4a79b..ea9b8a9d69 100644 --- a/config/locales/client.pt_BR.yml +++ b/config/locales/client.pt_BR.yml @@ -27,6 +27,7 @@ pt_BR: millions: "{{number}}M" dates: time: "h:mm a" + timeline_date: "MMM AAAA" long_no_year: "MMM D h:mm a" long_no_year_no_time: "MMM D" full_no_year_no_time: "MMMM Do" @@ -38,6 +39,7 @@ pt_BR: long_date_with_year_without_time: "MMM D, YY" long_date_without_year_with_linebreak: "MMM D{{username}} {{description}}
" invitee_accepted: "{{username}} accepted your invitation
" moved_post: "{{username}} moved {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Adquirido '{{description}}'
" group_message_summary: one: "{{count}} mensagem na caixa de entrada de {{group_name}}
" @@ -1558,10 +1563,8 @@ pt_BR: notifications: watching: title: "Observar" - description: "Você vai acompanhar automaticamente todos os novos tópicos dessas categorias. Você será notificado de todas as novas mensagens em todos tópicos, e uma contagem de novas respostas será mostrada." tracking: title: "Monitorar" - description: "Você vai monitorar automaticamente todos os novos tópicos dessas categorias. Você será notificado se alguém mencionar seu @nome ou te responder, e uma contagem de novas respostas será mostrada." regular: title: "Normal" description: "Você será notificado se alguém mencionar o seu @nome ou responder à sua mensagem." @@ -1599,7 +1602,7 @@ pt_BR: title: "Resumo do Tópico" participants_title: "Principais Participantes" links_title: "Links Populares" - links_shown: "exibir todos os {{totalLinks}} links..." + links_shown: "mostrar mais links..." clicks: one: "1 clique" other: "%{count} cliques" @@ -1738,6 +1741,29 @@ pt_BR: full: "Criar / Responder / Ver" create_post: "Responder / Ver" readonly: "Ver" + badges: + others_count: "Outros com esse emblema (%{count})" + title: Emblemas + select_badge_for_title: Selecione um emblema para usar como o seu título + badge_grouping: + getting_started: + name: Começando + tagging: + delete_tag: "Apagar marcação" + delete_confirm: "Você tem certeza que deseja apagar essa marcação?" + rename_tag: "Renomear marcador" + sort_by: "Ordenar por" + notifications: + muted: + title: "Silenciado" + groups: + save: "Salvar" + delete: "Apagar" + topics: + none: + new: "Você tem tópicos novos" + bottom: + new: "Não há mais tópicos novos." admin_js: type_to_filter: "escreva para filtrar..." admin: @@ -2394,6 +2420,7 @@ pt_BR: edit: 'editar' revert: "Reverter alterações" revert_confirm: "Tem certeza que deseja reverter as alterações?" + go_back: "Voltar para pesquisa" show_overriden: 'Apenas mostrar valores alterados' site_settings: show_overriden: 'Exibir apenas valores alterados' @@ -2426,6 +2453,7 @@ pt_BR: login: "Entrar" plugins: "Plugins" user_preferences: "Preferências de Usuário" + tags: "Marcações" badges: title: Emblemas new_badge: Novo Emblema @@ -2520,6 +2548,7 @@ pt_BR: embed_truncate: "Truncar as postagens incorporadas" embed_whitelist_selector: "Seletor de CSS para elementos que são permitidos na incorporação" embed_blacklist_selector: "Seletor de CSS para elementos que são removidos da incorporação" + embed_classname_whitelist: "Nomes de classes CSS permitidas" feed_polling_enabled: "Importar postagens via RSS/ATOM" feed_polling_url: "URL do feed RSS/ATOM para pesquisar" save: "Salvar Configurações de Incorporação" @@ -2538,92 +2567,3 @@ pt_BR: label: "Novo:" add: "Adicionar" filter: "Busca (URL ou URL Externa)" - lightbox: - download: "download" - search_help: - title: 'Procurar na Ajuda' - keyboard_shortcuts_help: - title: 'Atalhos de teclado' - jump_to: - title: 'Ir Para' - home: 'g, h Home' - latest: 'g, l Últimos' - new: 'g, n Novo' - unread: 'g, u Não Lidos' - categories: 'g, c Categorias' - top: 'g, t Topo' - bookmarks: 'g, b Favoritos' - profile: 'g, p Perfil' - messages: 'g, m Mensagens' - navigation: - title: 'Navegação' - jump: '# Ir para a resposta #' - back: 'u Voltar' - up_down: 'k/j Move seleção ↑ ↓' - open: 'o ou Enter Abre tópico selecionado' - next_prev: 'shift+j/shift+k Pŕoxima seção/seção anterior' - application: - title: 'Aplicação' - create: 'c Criar um tópico novo' - notifications: 'n Abre notificações' - hamburger_menu: '= Abrir menu hamburger' - user_profile_menu: 'p Abrir menu do usuário' - show_incoming_updated_topics: '. Exibir tópicos atualizados' - search: '/ Pesquisa' - help: '? Abrir ajuda de teclado' - dismiss_new_posts: 'x, r Descartar Novas Postagens' - dismiss_topics: 'x, t Descartar Tópicos' - log_out: 'shift+z shift+z Deslogar' - actions: - title: 'Ações' - bookmark_topic: 'f Adicionar tópico aos favoritos' - pin_unpin_topic: 'shift+p Fixar/Desfixar tópico' - share_topic: 'shift+s Compartilhar tópico' - share_post: 's Compartilhar mensagem' - reply_as_new_topic: 't Responder como tópico linkado' - reply_topic: 'shift+r Responder ao tópico' - reply_post: 'r Responder a mensagem' - quote_post: 'q Citar resposta' - like: 'l Curtir a mensagem' - flag: '! Sinalizar mensagem' - bookmark: 'b Marcar mensagem' - edit: 'e Editar mensagem' - delete: 'd Excluir mensagem' - mark_muted: 'm, m Silenciar tópico' - mark_regular: 'm, r Tópico (default) normal' - mark_tracking: 'm, t Monitorar tópico' - mark_watching: 'm, w Acompanhar tópico' - badges: - title: Emblemas - allow_title: "título disponível" - badge_count: - one: "1 Emblema" - other: "%{count} Emblemas" - more_badges: - one: "+1 Mais" - other: "+%{count} Mais" - granted: - one: "1 emblema concedido" - other: "%{count} emblemas concedidos" - select_badge_for_title: Selecione um emblema para usar como título - none: "-
- diff --git a/config/locales/client.ro.yml b/config/locales/client.ro.yml index c86f511c18..7fbc31fff0 100644 --- a/config/locales/client.ro.yml +++ b/config/locales/client.ro.yml @@ -83,42 +83,42 @@ ro: x_minutes: one: "1 min" few: "%{count} min" - other: "%{count} min" + other: "%{count} de min" x_hours: one: "1 oră" few: "%{count} ore" - other: "%{count} ore" + other: "%{count} de ore" x_days: one: "1 zi" few: "%{count} zile" - other: "%{count} zile" + other: "%{count} de zile" date_year: "D MM YYYY" medium_with_ago: x_minutes: one: "acum un min" few: "acum %{count} min" - other: "acum %{count} min" + other: "acum %{count} de min" x_hours: one: "acum o oră" few: "acum %{count} ore" - other: "acum %{count} ore" + other: "acum %{count} de ore" x_days: one: "acum o zi" few: "acum %{count} zile" - other: "acum %{count} zile" + other: "acum %{count} de zile" later: x_days: one: "După o zi" few: "După %{count} zile" - other: "După %{count} zile" + other: "După %{count} de zile" x_months: - one: "o lună mai târziu" + one: "O lună mai târziu" few: "%{count} luni mai târziu" other: "%{count} de luni mai târziu" x_years: one: "După un an" few: "După %{count} ani" - other: "După %{count} ani" + other: "După %{count} de ani" previous_month: 'Luna anterioară' next_month: 'Luna următoare' share: @@ -128,7 +128,7 @@ ro: twitter: 'distribuie pe Twitter' facebook: 'distribuie pe Facebook' google+: 'distribuie pe Google+' - email: 'trimite această adresă peemail' + email: 'trimite această adresă pe email' action_codes: split_topic: "desparte acest topic %{when}" autoclosed: @@ -141,11 +141,11 @@ ro: enabled: 'arhivat %{when}' disabled: 'dezarhivat %{when}' pinned: - enabled: 'Prins %{when}' - disabled: 'desprinse %{when}' + enabled: 'promovat %{when}' + disabled: 'nepromovat %{when}' pinned_globally: enabled: 'promovat global %{when}' - disabled: 'desprins %{when}' + disabled: 'nepromovat %{when}' visible: enabled: 'listat %{when}' disabled: 'retras %{when}' @@ -165,11 +165,11 @@ ro: ap_northeast_2: "Asia Pacific (Seoul)" sa_east_1: "South America (Sao Paulo)" edit: 'editează titlul și categoria acestui subiect' - not_implemented: "Această caracteristică nu a fost implementată încă, ne pare rău!" + not_implemented: "Această funcționalitate nu a fost implementată încă." no_value: "Nu" - yes_value: "Acceptă" - generic_error: "Ne pare rău, a avut loc o eroare." - generic_error_with_reason: "A avut loc o eroare: %{error}" + yes_value: "Da" + generic_error: "A apărut o eroare." + generic_error_with_reason: "A apărut o eroare: %{error}" sign_up: "Înregistrare" log_in: "Autentificare" age: "Vârsta" @@ -208,9 +208,9 @@ ro: character_count: one: "Un caracter" few: "{{count}} caractere" - other: "{{count}} caractere" + other: "{{count}} de caractere" suggested_topics: - title: "Subiecte sugerate" + title: "Alte discuții" pm_title: "Mesaje sugerate" about: simple_title: "Despre" @@ -269,8 +269,6 @@ ro: undo: "Anulează acțiunea precedentă" revert: "Refacere" failed: "Eșuat" - switch_to_anon: "Mod anonim" - switch_from_anon: "Ieșire din mod anonim" banner: close: "Ignoră acest banner." edit: "Editează acest banner >>" @@ -458,7 +456,6 @@ ro: disable: "Dezactiveaza notificarile" enable: "Activeaza Notificarile" each_browser_note: "Notati: Setarile vor fi modificate pe orice alt browser." - dismiss_notifications: "Marchează toate ca citite" dismiss_notifications_tooltip: "Marchează cu citit toate notificările necitite" disable_jump_reply: "Nu sări la postarea mea după ce răspund" dynamic_favicon: "Arată subiectele noi/actualizate în iconiţă browserului." @@ -478,8 +475,6 @@ ro: label: " " daily: "Trimite actualizări zilnice" individual: "Trimite un email pentru fiecare postare nouă" - many_per_day: "Trimite-mi un email pentru fiecare postare nouă (aproximativ {{dailyEmailEstimate}}/zi)" - few_per_day: "Trimite-mi un email pentru fiecare postare nouă (mai puțin de 2/zi)" watched_categories: "Văzut" tracked_categories: "Tracked" muted_categories: "Muted" @@ -666,6 +661,34 @@ ro: title: "Sumar" stats: "Statistici" time_read: "timp de citit" + topic_count: + one: "subiect creat" + few: "subiecte create" + other: "de subiecte create" + post_count: + one: "postare creată" + few: "postări create" + other: "de postări create" + likes_given: + one: " dat" + few: " date" + other: "de date" + likes_received: + one: " primit" + few: " primite" + other: "de primite" + days_visited: + one: "zi vizitată" + few: "vizite zilnice" + other: "de zile vizitate" + posts_read: + one: "postare citită" + few: "postări citite" + other: "de postări citite" + bookmark_count: + one: "semn de carte" + few: "semne de carte" + other: "de semne de carte" top_replies: "Top răspunsuri" no_replies: "Nici un răspuns încă." more_replies: "Mai multe răspunsuri" @@ -822,10 +845,6 @@ ro: github: title: "cu GitHub" message: "Autentificare cu GitHub (Asigurați-vă că barierele de pop up nu sunt active)" - apple_international: "Apple/Internaţional" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -928,7 +947,6 @@ ro: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} a acceptat invitația ta
" moved_post: "{{username}} mutată {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Ţi s-a acordat {{description}}
" alt: mentioned: "Mentionat de" @@ -1185,8 +1203,6 @@ ro: remove_banner: "Îndepărtaţi mesajul banner care apare în partea de sus a fiecărei pagini." banner_note: "Utilizatorii pot îndepărta baner-ul închizându-l. Doar un singur mesaj poate fi folosit că baner într-un moment dat." inviting: "Invită..." - automatically_add_to_groups_optional: "Aceasta invitație include și accesul la grupurile: (opțional, doar admin)" - automatically_add_to_groups_required: "Aceasta invitație include și accesul la grupurile: (Neapărat, doar admin)" invite_private: title: 'Invită la mesaj privat' email_or_username: "adresa de Email sau numele de utilizator al invitatului" @@ -1267,7 +1283,7 @@ ro: post_number: "postarea {{number}}" last_edited_on: "postare editată ultima oară la" reply_as_new_topic: "Răspunde cu o discuție nouă" - continue_discussion: "Continuă discuția de la {{postLink}}:" + continue_discussion: "În continuarea discuției {{postLink}}:" follow_quote: "mergi la postarea citată" show_full: "Arată postarea în întregime" show_hidden: 'Arată conținut ascuns.' @@ -1558,17 +1574,10 @@ ro: title: "Sumarul discuției" participants_title: "Posteri Frecvenţi" links_title: "Legături Populare" - links_shown: "arată toate {{totalLinks}} de adrese..." clicks: one: "1 click" few: "%{count} click-uri" other: "%{count} click-uri" - post_links: - about: "Extinde link-urile pentru acest post" - title: - one: "Un link" - few: "%{count} link-uri" - other: "%{count} de link-uri" topic_statuses: warning: help: "Aceasta este o avertizare oficială." @@ -1691,6 +1700,11 @@ ro: full: "Creează / Răspunde / Vizualizează" create_post: "Răspunde / Vizualizaează" readonly: "Vizualizaează" + badges: + more_badges: + one: "Încă una" + few: " Alte %{count}" + other: " Alte %{count}" admin_js: type_to_filter: "tastează pentru a filtra..." admin: @@ -1946,8 +1960,8 @@ ro: override_default: "Nu include foaia de stil standard" enabled: "Activat?" preview: "previzualizează" - undo_preview: "înlaturș previzualizarea" - rescue_preview: "stilul predefinit" + undo_preview: "șterge previzualizarea" + rescue_preview: "stil predefinit" explain_preview: "Vizualizează site-ul cu foaia de stil predefinită" explain_undo_preview: "Înapoi la foaia de stil preferentială activată momentan" explain_rescue_preview: "Vizualizeaza site-ul cu foaia de stil predefinită" @@ -2190,7 +2204,7 @@ ro: regular: 'Utilizatori la nivel de încredere 3 (Utilizator activ)' leader: 'Utilizatori la nivel de încredere 4 (Lider)' staff: "Personalul" - admins: 'Utilizatori admin' + admins: 'Administratori' moderators: 'Moderatori' blocked: 'Utilizatori blocați' suspended: 'Utilizatori suspendați' @@ -2495,93 +2509,3 @@ ro: label: "Nou:" add: "Adăugați" filter: "Căutare (URL sau URL extern)" - lightbox: - download: "descarcă" - search_help: - title: 'Ajutor căutare' - keyboard_shortcuts_help: - title: 'Scurtături de tastatură' - jump_to: - title: 'Sari la' - home: 'g, h Acasă' - latest: 'g apoi l ultimele' - new: 'g apoi n noi' - unread: 'g apoi u Necitite' - categories: 'g apoi c Categorii' - top: 'g, t Top' - bookmarks: 'g, b Semne de carte' - messages: 'g, m Mesaje' - navigation: - title: 'Navigare' - jump: '# Mergi la mesajul #' - back: 'u Înapoi' - up_down: 'k/j Muta selecția sus/jos' - open: 'o sau Introdu Deschide discutia selectată' - next_prev: '`/~ selecția Urmatoare/Precedentă' - application: - title: 'Applicația' - create: 'c Creează discuție nouă' - notifications: 'n Deschide notificare' - hamburger_menu: '= Deschide meniul hamburger' - user_profile_menu: 'p Deschide meniu utilizator' - show_incoming_updated_topics: '. Arată discuţiile actualizate' - search: '/ Caută' - help: '? Vezi comenzi rapide disponibile' - dismiss_new_posts: 'x, r Respinge Nou/Mesaje' - dismiss_topics: 'x, t Respinge discuţiile' - log_out: 'shift+z shift+z Ieșire din cont' - actions: - title: 'Acțiuni' - bookmark_topic: 'f Comută semnul de carte pentru discuţie' - pin_unpin_topic: 'shift+p Promovează discuția' - share_topic: 'shift s distribuie discuție' - share_post: 's Distribuie mesajul' - reply_as_new_topic: 't Răspunde că discuţie conexă' - reply_topic: 'shift r Raspunde la discuție' - reply_post: 'r Răspunde la postare' - quote_post: 'q Citează mesajul' - like: 'l Apreciează mesajul' - flag: '! Reclamă mesajul' - bookmark: 'b Salvează postarea' - edit: 'e Editează mesaj' - delete: 'd Șterge mesaj' - mark_muted: 'm apoi m Treceți discuția în mod silențios' - mark_regular: 'm, r Discuție normală (implicită)' - mark_tracking: 'm, t Urmăriți discuția' - mark_watching: 'm, w Urmăriți discuția îndeaproape' - badges: - title: Insigne - badge_count: - one: "1 Insignă" - few: "%{count} Insigne" - other: "%{count} Insigne" - more_badges: - one: "+1 Mai mult" - few: "+%{count} Mai mult" - other: "+%{count} Mai mult" - granted: - one: "1 acordat" - few: "2 acordate" - other: "%{count} acordate" - select_badge_for_title: Selectează o insignă pentru a o folosii ca titlu - none: "-
- diff --git a/config/locales/client.ru.yml b/config/locales/client.ru.yml index 58cc4b4b67..d5492e95d3 100644 --- a/config/locales/client.ru.yml +++ b/config/locales/client.ru.yml @@ -174,6 +174,7 @@ ru: disabled: 'Исключил из списков %{when}' topic_admin_menu: "действия администратора над темой" emails_are_disabled: "Все исходящие письма были глобально отключены администратором. Уведомления любого вида не будут отправляться на почту." + bootstrap_mode_disabled: "Bootstrap режим будет отключен в течение 24 часов." s3: regions: us_east_1: "US East (N. Virginia)" @@ -296,8 +297,6 @@ ru: undo: "Отменить" revert: "Вернуть" failed: "Проблема" - switch_to_anon: "Анонимный режим" - switch_from_anon: "Выйти из анонимного режима" banner: close: "Больше не показывать это объявление." edit: "Редактировать это объявление >>" @@ -500,7 +499,6 @@ ru: disable: "Отключить оповещения" enable: "Включить оповещения" each_browser_note: "Примечание: эта настройка устанавливается в каждом браузере индивидуально." - dismiss_notifications: "Пометить все прочитанными" dismiss_notifications_tooltip: "Пометить все непрочитанные уведомления прочитанными" disable_jump_reply: "Не переходить к вашему новому сообщению после ответа" dynamic_favicon: "Показывать колличество новых / обновленных тем на иконке сообщений" @@ -516,11 +514,10 @@ ru: suspended_reason: "Причина:" github_profile: "Github" mailing_list_mode: + daily: "Отправить ежедневные обновления" individual: "Отправлять письмо каждый раз, когда появляется новое сообщение." watched_categories: "Наблюдение" - watched_categories_instructions: "Вы будете автоматически отслеживать все новые темы в этих разделах. Вам будут приходить уведомления о новых сообщениях и темах, плюс рядом со списком тем будет отображено количество новых сообщений." tracked_categories: "Отслеживаемые разделы" - tracked_categories_instructions: "Автоматически следить за всеми новыми темами из следующих разделов. Счетчик новых и непрочитанных сообщений будет появляться рядом с названием темы." muted_categories: "Выключенные разделы" muted_categories_instructions: "Не уведомлять меня о новых темах в этих разделах и не показывать новые темы на странице «Непрочитанные»." delete_account: "Удалить мою учётную запись" @@ -562,7 +559,6 @@ ru: error: "При изменении значения произошла ошибка." change_username: title: "Изменить псевдоним" - confirm: "Если вы измените свой псевдоним, то все существующие цитаты ваших сообщений и упоминания вас по @псевдониму в чужих сообщениях перестанут ссылаться на вас. Вы точно хотите изменить псевадоним?" taken: "Этот псевдоним уже занят." error: "При изменении псевдонима произошла ошибка." invalid: "Псевдоним должен состоять только из цифр и латинских букв" @@ -643,7 +639,6 @@ ru: always: "всегда" never: "никогда" email_digests: - title: "В случае моего отсутствия на сайте присылайте мне сводку новостей по почте:" every_30_minutes: "каждые 30 минут" every_hour: "каждый час" daily: "ежедневно" @@ -655,11 +650,6 @@ ru: email_always: "Присылать почтовое уведомление, даже если я присутствую на сайте" other_settings: "Прочее" categories_settings: "Разделы" - enable_mailing_list: - one: "Вы уверены, что хотите получать письма буквально о каждом новом сообщении на форуме?" - few: "Вы уверены, что хотите получать письма буквально о каждом новом сообщении на форуме?{{username}} {{description}}
" invitee_accepted: "{{username}} принял(а) ваше приглашение
" moved_post: "{{username}} переместил(а) {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Вы награждены: {{description}}
" alt: mentioned: "Упомянуто" @@ -1315,8 +1299,6 @@ ru: banner_note: "Пользователи могут отклонить объявление, закрыв его. Только одну тему можно сделать текущим объявлением." no_banner_exists: "Нет текущих объявлений." inviting: "Высылаю приглашение..." - automatically_add_to_groups_optional: "Это приглашение также включает в себя доступ к следующим группам: (опционально, только для администратора)" - automatically_add_to_groups_required: "Это приглашение также включает в себя доступ к следующим группам: (Обязательно, только для администратора)" invite_private: title: 'Пригласить в беседу' email_or_username: "Адрес электронной почты или псевдоним того, кого вы хотите пригласить" @@ -1686,10 +1668,8 @@ ru: notifications: watching: title: "Наблюдать" - description: "Наблюдать за каждой новой темой в этом разделе. Уведомлять о всех ответах в темах и показывать счетчик новых непрочитанных ответов." tracking: title: "Следить" - description: "Следить за каждой новой темой в этом разделе и показывать счетчик новых непрочитанных ответов. Вам придет уведомление, если кто-нибудь упомянет ваш @псевдоним или ответит на ваше сообщение." regular: title: "Уведомлять" description: "Уведомлять, если кто-нибудь упомянет мой @псевдоним или ответит на мое сообщение." @@ -1727,7 +1707,6 @@ ru: title: "Сводка по теме" participants_title: "Частые авторы" links_title: "Популярные ссылки" - links_shown: "показать все {{totalLinks}} ссылок..." clicks: one: "1 клик" few: "%{count} клика" @@ -2730,118 +2709,3 @@ ru: label: "Новая постоянная ссылка:" add: "Добавить" filter: "Поиск по ссылке или внешней ссылке (URL)" - lightbox: - download: "загрузить" - search_help: - title: 'Справка по поиску' - keyboard_shortcuts_help: - title: 'Сочетания клавиш' - jump_to: - title: 'Перейти к' - home: 'g, h Домой' - latest: 'g, l Последние' - new: 'g, n Новые' - unread: 'g, u Непрочитанные' - categories: 'g, c Разделы' - top: 'g, t Вверх' - bookmarks: 'g, b Закладки' - profile: 'g, p Профиль' - messages: 'g, m Сообщения' - navigation: - title: 'Навигация' - jump: '# Перейти к сообщение №' - back: 'u Назад' - up_down: 'k/j Переместить выделение ↑ ↓' - open: 'o или Enter Открыть выбранную тему' - next_prev: 'shift+j/shift+k Следующая/предыдущая секция' - application: - title: 'Приложение' - create: 'c Создать новую тему' - notifications: 'n Открыть уведомления' - hamburger_menu: '= Открыть меню' - user_profile_menu: 'p Открыть меню моего профиля' - show_incoming_updated_topics: '. Показать обновленные темы' - search: '/ Поиск' - help: '? Открыть помощь по горячим клавишам' - dismiss_new_posts: 'x, r Отложить новые сообщения' - dismiss_topics: 'x, t Отложить темы' - log_out: 'shift+z shift+z Выйти' - actions: - title: 'Действия' - bookmark_topic: 'f Добавить в Избранное' - pin_unpin_topic: 'shift+p Закрепить/Открепить тему' - share_topic: 'shift+s Поделиться темой' - share_post: 's Поделиться сообщением' - reply_as_new_topic: 't Ответить в новой связанной теме' - reply_topic: 'shiftr+r Ответить на тему' - reply_post: 'r Ответить на сообщение' - quote_post: 'q Цитировать сообщение' - like: 'l Лайкнуть сообщение' - flag: '! Пожаловаться на сообщение' - bookmark: 'b Добавить сообщение в избранные' - edit: 'e Изменить сообщение' - delete: 'd Удалить сообщение' - mark_muted: 'm, m Отключить уведомления в теме' - mark_regular: 'm, r Включить уведомления в теме' - mark_tracking: 'm, t Отслеживать тему' - mark_watching: 'm, w Наблюдать за темой' - badges: - others_count: "Другие с этой наградой (%{count})" - title: Награды - multiple_grant: "Выдаётся многократно" - badge_count: - one: "1 награда" - few: "%{count} награды" - many: "%{count} наград" - other: "%{count} наград" - more_badges: - one: "+ еще 1" - few: "+ еще %{count}" - many: "+ еще %{count}" - other: "+ еще %{count}" - granted: - one: "выдан %{count}" - few: "выдано %{count}" - many: "выдано %{count}" - other: "выдано %{count}" - select_badge_for_title: Использовать награду в качестве вашего титула - none: "<отсутствует>" - badge_grouping: - getting_started: - name: Начало - community: - name: Сообщество - trust_level: - name: Уровень доверия - other: - name: Прочее - posting: - name: Темы и сообщения - google_search: | --
- - tagging: - all_tags: "Все тэги" - selector_all_tags: "все тэги" - changed: "тэги изменились:" - tags: "Тэги" - delete_tag: "Удалить тэг" - delete_confirm: "Вы уверены, что хотите удалить этот тэг?" - rename_tag: "Переименовать тэг" - rename_instructions: "Выберите новое имя для тэга:" - sort_by: "Сортировать:" - sort_by_count: "количество" - sort_by_name: "имя" - notifications: - watching: - title: "Наблюдение" - tracking: - title: "Следить" - muted: - title: "Игнорируется" diff --git a/config/locales/client.sk.yml b/config/locales/client.sk.yml index 5541610a64..a9a547c5c2 100644 --- a/config/locales/client.sk.yml +++ b/config/locales/client.sk.yml @@ -271,8 +271,6 @@ sk: undo: "Späť" revert: "Vrátiť zmeny" failed: "Nepodarilo sa" - switch_to_anon: "Anonymný mód" - switch_from_anon: "Opustiť anonymný mód" banner: close: "Zamietnuť tento banner." edit: "Upraviť tento banner >>" @@ -465,7 +463,6 @@ sk: disable: "Zakázať upozornenia" enable: "Povoliť upozornenia" each_browser_note: "Poznámka: Toto nastavenie musíte zmeniť v každom používanom prehliadači." - dismiss_notifications: "Označiť všetky ako prečítané" dismiss_notifications_tooltip: "Označiť všetky neprečítané upozornenia ako prečítané" disable_jump_reply: "Neskočiť na môj príspevok po odpovedi" dynamic_favicon: "Zobraziť počet nových/upravených tém na ikone prehliadača" @@ -481,9 +478,7 @@ sk: suspended_reason: "Dôvod:" github_profile: "Github" watched_categories: "Sledované" - watched_categories_instructions: "Budete automaticky sledovať všetky nové témy v týchto kategóriách. Budete upozornený na všetky nové príspevky a témy, a zároveň bude vedľa témy zobrazený počet nových príspevkov." tracked_categories: "Sledované" - tracked_categories_instructions: "Budete automaticky sledovať všetky nové témy v týchto kategóriách. Počet nových príspevkov sa bude zobraziť vedľa témy." muted_categories: "Ignorovaný" muted_categories_instructions: "Nebudete informovaní o udalostiach v nových témach týchto kategórií. Tieto témy sa zároveň nebudú zobrazovať v zozname posledných udalostí." delete_account: "Vymazať môj účet" @@ -837,10 +832,6 @@ sk: github: title: "pomocou GitHub" message: "Prihlásenie pomocou GitHub účtu (prosím uistite sa, že vyskakovacie okná sú povolené)" - apple_international: "Apple/Medzinárodné" - google: "Google" - twitter: "Twitter" - emoji_one: "Emoji One" shortcut_modifier_key: shift: 'Shift' ctrl: 'Ctrl' @@ -858,7 +849,6 @@ sk: saved_local_draft_tip: "uložené lokálne" similar_topics: "Vaša téma je podobná..." drafts_offline: "offline koncepty" - group_mentioned: "Použitím tejto {{group}} , upozorníte {{count}} ľudí." error: title_missing: "Názov je povinný" title_too_short: "Názov musí mať minimálne {{min}} znakov" @@ -939,7 +929,6 @@ sk: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} prijal Vaše pozvanie
" moved_post: "{{username}} presunul {{description}}
" - linked: "{{username}} {{description}}
" granted_badge: "Získal '{{description}}'
" group_message_summary: one: "{{count}} správa vo vašej {{group_name}} schránke
" @@ -1236,8 +1225,6 @@ sk: no_banner_exists: "Neexistuje žiadna banerová téma." banner_exists: "Banerová téma je aktuálne nastavená." inviting: "Pozývam..." - automatically_add_to_groups_optional: "Táto pozvánka obsahuje taktiež prístup do týchto skupín: ( nepovinné, iba správca) " - automatically_add_to_groups_required: "Táto pozvánka obsahuje taktiež prístup do týchto skupín: ( Povinné, iba správca) " invite_private: title: 'Pozvať do konverzácie' email_or_username: "Email, alebo užívateľské meno pozvaného" @@ -1581,10 +1568,8 @@ sk: notifications: watching: title: "Pozerať" - description: "Budete automaticky pozerať všetky nové témy v týchto kategóriách. Budete upozornený na všetky nové príspevky vo všetkých témach. Zároveň bude zobrazený počet nových odpovedí." tracking: title: "Sledovať" - description: "Budete automaticky sledovať všetky nové témy v týchto kategóriách. Budete upozornený ak niekto uvedie vaše @meno alebo Vám odpovie. Zároveň bude zobrazený počet nových odpovedí." regular: title: "Bežný" description: "Budete upozornený ak niekto spomenie Vaše @meno alebo Vám odpovie." @@ -1622,7 +1607,6 @@ sk: title: "Zhrnutie článku" participants_title: "Častí prispievatelia" links_title: "Populárne odkazy" - links_shown: "ukázať všetkých {{totalLinks}} odkazov..." clicks: one: "%{count} kilk" few: "%{count} kliky" @@ -1654,10 +1638,10 @@ sk: posts_long: "v tejto téme je {{number}} príspevkov" posts_likes_MF: | Táto téma obsahuje {count, plural, one {1 odpoveď} other {# odpovedí}} {ratio, select, - low {s vysokým pomerom "Páči sa" na príspevok} - med {s veľmi vysokým pomerom "Páči sa" na príspevok} - high {s extrémne vysokým pomerom "Páči sa" na príspevok} - other {}} + low {s vysokým pomerom "Páči sa" na príspevok} + med {s veľmi vysokým pomerom "Páči sa" na príspevok} + high {s extrémne vysokým pomerom "Páči sa" na príspevok} + other {}} original_post: "Pôvodný príspevok" views: "Zobrazenia" views_lowercase: @@ -2609,98 +2593,3 @@ sk: label: "Nový:" add: "Pridať" filter: "Hľadať (URL alebo externá URL)" - lightbox: - download: "stiahnuť" - search_help: - title: 'Pomoc pri vyhľadávaní' - keyboard_shortcuts_help: - title: 'Klávesové skratky' - jump_to: - title: 'Preskočiť na' - home: 'g, h Domov' - latest: 'g, l Najnovšie' - new: 'g, n Nové' - unread: 'g, u Neprečítané' - categories: 'g, c Kategórie' - top: 'g, t Hore' - bookmarks: 'g, b Záložky' - profile: 'g, p Profil' - messages: 'g, m Správy' - navigation: - title: 'Navigácia' - jump: '# Choď na príspevok #' - back: 'u Späť' - up_down: 'k/j Presuň označené ↑ ↓' - open: 'o or EnterOtvoriť zvolenú tému' - next_prev: 'shift+j/shift+k Nasledujúca/predchádzajúca sekcia' - application: - title: 'Aplikácia' - create: 'c Vytvoriť novú tému' - notifications: 'n Otvor upozornenia' - hamburger_menu: '= Otvoriť hamburger menu' - user_profile_menu: 'p Otvor užívateľské menu' - show_incoming_updated_topics: '. Zobraz aktualizované témy' - search: '/ Hľadať' - help: '? Pomoc s klávesovými skratkami' - dismiss_new_posts: 'x, r Zahodiť Nové/Príspevky' - dismiss_topics: 'x, t Zahodiť témy' - log_out: 'shift+z shift+z Odhlásiť sa' - actions: - title: 'Akcie' - bookmark_topic: 'f Zmeniť tému záložky' - pin_unpin_topic: 'shift+p Pripnúť/Odopnúť tému' - share_topic: 'shift+s Zdielať tému' - share_post: 's Zdielať príspevok' - reply_as_new_topic: 't Odpoveď ako súvisiaca téma' - reply_topic: 'shift+r Odpovedať na tému' - reply_post: 'r Odpovedať na príspevok' - quote_post: 'q Citovať príspevok' - like: 'l Označiť príspevok "Páči sa"' - flag: '! Označiť príspevok ' - bookmark: 'b Pridať príspevok do záložiek' - edit: 'e Editovat príspevok' - delete: 'd Zmazať príspevok' - mark_muted: 'm, m Umlčať tému' - mark_regular: 'm, r Obyčajná (preddefinovaná) téma' - mark_tracking: 'm, w Sledovať tému' - mark_watching: 'm, w Sledovať tému' - badges: - earned_n_times: - one: "Získal tento odkaz 1 krát" - few: "Získal tento odkaz %{count} krát" - other: "Získal tento odkaz %{count} krát" - title: Odznaky - badge_count: - one: "1 Odznak" - few: "%{count} Odznaky" - other: "%{count} Odznakov" - more_badges: - one: "+1 Viac" - few: "+%{count} Viac" - other: "+%{count} Viac" - granted: - one: "1 povolené" - few: "%{count} povolené" - other: "%{count} povolených" - select_badge_for_title: Vyberte odznak, ktorý chcete použiť ako Váš titul - none: "-
- diff --git a/config/locales/client.sq.yml b/config/locales/client.sq.yml index 5e957c50b2..04eec1217b 100644 --- a/config/locales/client.sq.yml +++ b/config/locales/client.sq.yml @@ -27,6 +27,7 @@ sq: millions: "{{number}}M" dates: time: "h:mm a" + timeline_date: "MMM YYYY" long_no_year: "MMM D h:mm a" long_no_year_no_time: "MMM D" full_no_year_no_time: "MMMM Do" @@ -38,6 +39,7 @@ sq: long_date_with_year_without_time: "MMM D, 'YY" long_date_without_year_with_linebreak: "MMM D{{username}} {{description}}
" @@ -961,8 +951,8 @@ sq: invited_to_topic: "{{username}} {{description}}
" invitee_accepted: "{{username}} pranoi ftesën tuaj
" moved_post: "{{username}} transferoi {{description}}
" - linked: "{{username}} {{description}}
" - granted_badge: "Earned '{{description}}'
" + linked: "{{username}} {{description}}
" + watching_first_post: "Temë e re {{description}}
" group_message_summary: one: "{{count}} message in your {{group_name}} inbox
" other: "{{count}} mesazhe në inboxin e {{group_name}}
" @@ -979,7 +969,6 @@ sq: invitee_accepted: "Ftesa u pranua nga" moved_post: "Postimi juaj u transferua nga" linked: "Lidhja drejt postimit tuaj" - granted_badge: "Badge granted" group_message_summary: "Mesazhet në inboxin e grupit" popup: mentioned: '{{username}} ju përmendi në "{{topic}}" - {{site_title}}' @@ -995,61 +984,31 @@ sq: from_my_computer: "Nga kompiuteri im" from_the_web: "Nga Interneti" remote_tip: "lidhje tek imazhi" - remote_tip_with_attachments: "link to image or file {{authorized_extensions}}" - local_tip: "select images from your device" - local_tip_with_attachments: "select images or files from your device {{authorized_extensions}}" - hint: "(you can also drag & drop into the editor to upload them)" - hint_for_supported_browsers: "you can also drag and drop or paste images into the editor" uploading: "Duke ngarkuar" - select_file: "Select File" - image_link: "link your image will point to" search: sort_by: "Rendit sipas" - relevance: "Relevance" - latest_post: "Latest Post" - most_viewed: "Most Viewed" most_liked: "Më të pëlqyer" - select_all: "Select All" - clear_all: "Clear All" result_count: one: "1 rezultat për \"{{term}}\"" other: "{{count}} rezultate për \"{{term}}\"" - title: "search topics, posts, users, or categories" + title: "kërko në faqe" no_results: "Nuk u gjet asnjë rezultat." - no_more_results: "No more results found." - search_help: Search help searching: "Duke kërkuar..." - post_format: "#{{post_number}} by {{username}}" context: user: "Kërko postime nga @{{username}}" + category: "Kërkoni kategorinë #{{category}}" topic: "Kërko tek kjo temë" - private_messages: "Search messages" - hamburger_menu: "go to another topic list or category" new_item: "e re" go_back: 'kthehu mbrapa' - not_logged_in_user: 'user page with summary of current activity and preferences' - current_user: 'go to your user page' topics: bulk: - unlist_topics: "Unlist Topics" reset_read: "Reseto leximet" delete: "Fshi temat" - dismiss: "Dismiss" - dismiss_read: "Dismiss all unread" - dismiss_button: "Dismiss…" - dismiss_tooltip: "Dismiss just new posts or stop tracking topics" - also_dismiss_topics: "Stop tracking these topics so they never show up as unread for me again" - dismiss_new: "Dismiss New" - toggle: "toggle bulk selection of topics" actions: "Veprime në masë" change_category: "Ndrysho kategori" close_topics: "Mbyll temat" archive_topics: "Arkivo temat" notification_level: "Ndrysho nivelin e njoftimeve" - choose_new_category: "Choose the new category for the topics:" - selected: - one: "You have selected 1 topic." - other: "You have selected {{count}} topics." change_tags: "Ndrysho etiketat" choose_new_tags: "Zgjidh etiketa të reja për këto tema:" changed_tags: "Etiketat e temave u ndryshuan. " @@ -1063,10 +1022,8 @@ sq: bookmarks: "Nuk keni ende tema të preferuara. " category: "Nuk ka tema në: {{category}}." top: "Nuk ka tema popullore." - search: "There are no search results." educate: new: 'Temat e reja shfaqen këtu.
Automatikisht, temat cilësohen si të reja dhe kanë një shënim i ri nëse janë krijuar gjatë dy ditëve të fundit.
Vizitoni preferencat për t''a ndryshuar këtë parametër.
' - unread: 'Your unread topics appear here.
By default, topics are considered unread and will show unread counts 1 if you:
Or if you have explicitly set the topic to Tracked or Watched via the notification control at the bottom of each topic.
Visit your preferences to change this.
' bottom: latest: "Nuk ka më tema të reja." hot: "Nuk ka më tema të nxehta." @@ -1074,27 +1031,16 @@ sq: read: "Nuk ka më tema të lexuara." new: "Nuk ka më tema të reja." unread: "Nuk ka më tema të palexuara." - category: "Nuk ka me tema nga {{category}}." + category: "Nuk ka më tema nga {{category}}." top: "Nuk ka më tema popullore." bookmarks: "Nuk ka më tema të preferuara." - search: "There are no more search results." topic: unsubscribe: stop_notifications: "Tani ju do të merrni më pak njoftime për {{title}}" - change_notification_state: "Your current notification state is " - filter_to: "{{post_count}} posts in topic" create: 'Temë e re' create_long: 'Hap një temë të re' - private_message: 'Start a message' - archive_message: - help: 'Move message to your archive' - title: 'Archive' - move_to_inbox: - title: 'Move to Inbox' - help: 'Move message back to Inbox' list: 'Temat' new: 'temë e re' - unread: 'unread' new_topics: one: '1 temë e re' other: '{{count}} tema të reja' @@ -1104,57 +1050,42 @@ sq: title: 'Tema' invalid_access: title: "Tema është private" - description: "Sorry, you don't have access to that topic!" - login_required: "You need to log in to see that topic." - server_error: - title: "Topic failed to load" - description: "Sorry, we couldn't load that topic, possibly due to a connection problem. Please try again. If the problem persists, let us know." not_found: title: "Tema nuk u gjet" - description: "Sorry, we couldn't find that topic. Perhaps it was removed by a moderator?" - total_unread_posts: - one: "you have 1 unread post in this topic" - other: "you have {{count}} unread posts in this topic" - unread_posts: - one: "you have 1 unread old post in this topic" - other: "you have {{count}} unread old posts in this topic" new_posts: - one: "there is 1 new post in this topic since you last read it" - other: "there are {{count}} new posts in this topic since you last read it" + one: "ka 1 postim të ri në këtë temë që nga hera e fundit që ishit këtu" + other: "ka {{count}} postime të reja në këtë temë që nga hera e fundit që ishit këtu" likes: one: "ka 1 pëlqim në këtë temë" other: "ka {{count}} pëlqime në këtë temë" back_to_list: "Kthehu tek lista e temave" options: "Opsionet e temës" - show_links: "show links within this topic" toggle_information: "më shumë mbi temën" read_more_in_category: "Dëshironi të lexoni më shumë? Shfleto temat në {{catLink}} ose {{latestLink}}." read_more: "Dëshironi të lexoni më shumë? {{catLink}} ose {{latestLink}}." - read_more_MF: "There { UNREAD, plural, =0 {} one { is 1 unread } other { are # unread } } { NEW, plural, =0 {} one { {BOTH, select, true{and } false {is } other{}} 1 new topic} other { {BOTH, select, true{and } false {are } other{}} # new topics} } remaining, or {CATEGORY, select, true {browse other topics in {catLink}} false {{latestLink}} other {}}" browse_all_categories: Shfleto kategoritë view_latest_topics: shiko temat më të fundit suggest_create_topic: Pse nuk hapni një temë të re? - jump_reply_up: jump to earlier reply - jump_reply_down: jump to later reply - deleted: "The topic has been deleted" - auto_close_notice: "This topic will automatically close %{timeLeft}." - auto_close_notice_based_on_last_post: "This topic will close %{duration} after the last reply." - auto_close_title: 'Auto-Close Settings' auto_close_save: "Ruaj" - auto_close_remove: "Don't Auto-Close This Topic" - auto_close_immediate: "The last post in the topic is already %{hours} hours old, so the topic will be closed immediately." + timeline: + back: "Kthehu mbrapa" + back_description: "Kthehu mbrapa tek postimi i fundit i palexuar" + replies: "%{current} / %{total} përgjigje" + replies_short: "%{current} / %{total}" progress: title: progresi i temës go_top: "sipër" go_bottom: "poshtë" go: "shko" - jump_bottom: "jump to last post" - jump_bottom_with_number: "jump to post %{post_number}" + jump_prompt: "hidhu tek tema" + jump_prompt_long: "Tek cila temë doni të shkoni?" total: totali i postimeve current: postimi aktual position: "tema %{current} nga %{total}" notifications: + title: ndryshoni sa shpesh njoftoheni mbi këtë temë reasons: + '3_10': 'Ju do të njoftoheni duke qënë se jeni duke vëzhguar etiketën e kësaj teme. ' '3_6': 'Ju do të merrni njoftime sepse jeni duke vëzhguar këtë kategori. ' '3_5': 'Ju do të njoftoheni duke qënë se jeni duke gjurmuar këtë temë automatikisht. ' '3_2': 'Ju do të njoftoheni duke qënë se jeni duke vëzhguar këtë temë. ' @@ -1194,82 +1125,33 @@ sq: title: "Pa njoftime" description: "Ju nuk do të njoftoheni për asgjë mbi këtë temë, dhe tema nuk do të shfaqet në listën e temave më të fundit. " actions: - recover: "Un-Delete Topic" delete: "Fshi temën" open: "Hap temën" close: "Mbyll temën" - multi_select: "Select Posts…" - auto_close: "Auto Close…" - pin: "Pin Topic…" - unpin: "Un-Pin Topic…" - unarchive: "Unarchive Topic" - archive: "Archive Topic" - invisible: "Make Unlisted" - visible: "Make Listed" - reset_read: "Reset Read Data" make_public: "Bëje temën publike" make_private: "Bëje mesazh privat" - feature: - pin: "Pin Topic" - unpin: "Un-Pin Topic" - pin_globally: "Pin Topic Globally" - make_banner: "Banner Topic" - remove_banner: "Remove Banner Topic" reply: title: 'Përgjigju' help: 'shkruaj një përgjigje tek kjo temë' - clear_pin: - title: "Clear pin" - help: "Clear the pinned status of this topic so it no longer appears at the top of your topic list" share: title: 'Shpërndaje' help: 'shpërndani një lidhje mbi temën' flag_topic: title: 'Sinjalizo' help: 'sinjalizo privatisht këtë temë ose dërgo një njoftim privat' - success_message: 'You successfully flagged this topic.' - feature_topic: - title: "Feature this topic" - pin: "Make this topic appear at the top of the {{categoryLink}} category until" - confirm_pin: "You already have {{count}} pinned topics. Too many pinned topics may be a burden for new and anonymous users. Are you sure you want to pin another topic in this category?" - unpin: "Remove this topic from the top of the {{categoryLink}} category." - unpin_until: "Remove this topic from the top of the {{categoryLink}} category or wait until %{until}." - pin_note: "Users can unpin the topic individually for themselves." - pin_validation: "A date is required to pin this topic." - not_pinned: "There are no topics pinned in {{categoryLink}}." - pin_globally: "Make this topic appear at the top of all topic lists until" - confirm_pin_globally: "You already have {{count}} globally pinned topics. Too many pinned topics may be a burden for new and anonymous users. Are you sure you want to pin another topic globally?" - unpin_globally: "Remove this topic from the top of all topic lists." - unpin_globally_until: "Remove this topic from the top of all topic lists or wait until %{until}." - global_pin_note: "Users can unpin the topic individually for themselves." - not_pinned_globally: "There are no topics pinned globally." - make_banner: "Make this topic into a banner that appears at the top of all pages." - remove_banner: "Remove the banner that appears at the top of all pages." - banner_note: "Users can dismiss the banner by closing it. Only one topic can be bannered at any given time." - no_banner_exists: "There is no banner topic." - banner_exists: "There is currently a banner topic." - inviting: "Inviting..." - automatically_add_to_groups_optional: "Kjo ftesë përfshin edhe akses për këto grupe: (fakultative, vetëm për adminët)" - automatically_add_to_groups_required: "Kjo ftesë përfshin edhe akses për këto grupe: (e detyrueshme, vetëm për adminët)" invite_private: title: 'Ftoje në këtë mesazh' email_or_username: "Emaili ose emri i përdoruesit të të ftuarit" - email_or_username_placeholder: "email address or username" action: "Ftoni" success: "Anëtari u ftua të marrë pjesë në këtë mesazh. " - error: "Sorry, there was an error inviting that user." group_name: "emri grupit" - controls: "Topic Controls" invite_reply: title: 'Ftoni' username_placeholder: "emri i përdoruesit" action: 'Dërgoni ftesën' help: 'ftoni të tjerë në këtë temë nëpërmjet emailit ose njoftimeve' - to_forum: "We'll send a brief email allowing your friend to immediately join by clicking a link, no login required." sso_enabled: "Vendosni emrin e përdoruesit që dëshironi të ftoni në këtë temë" to_topic_blank: "Vendosni emrin e përdoruesit ose adresën email të personit që dëshironi të ftoni në këtë temë" - to_topic_email: "You've entered an email address. We'll email an invitation that allows your friend to immediately reply to this topic." - to_topic_username: "You've entered a username. We'll send a notification with a link inviting them to this topic." to_username: "Vendosni emrin e përdoruesit që dëshironi të ftoni. Sistemi do i dërgojë një njoftim me një lidhje drejt kësaj teme. " email_placeholder: 'emri@adresa.com' success_email: "Sistemi dërgoi një ftesë për {{emailOrUsername}}. Do t'ju njoftojmë kur ftesa të jetë pranuar. Shikoni edhe faqen Ftesat nën profilin tuaj të anëtarit për të parë statusin e ftesave. " @@ -1281,51 +1163,14 @@ sq: one: "1 postim" other: "{{count}} postime" cancel: "Hiq filtrin" - split_topic: - title: "Move to New Topic" - action: "move to new topic" - topic_name: "New Topic Name" - error: "There was an error moving posts to the new topic." - instructions: - one: "You are about to create a new topic and populate it with the post you've selected." - other: "You are about to create a new topic and populate it with the {{count}} posts you've selected." - merge_topic: - title: "Move to Existing Topic" - action: "move to existing topic" - error: "There was an error moving posts into that topic." - instructions: - one: "Please choose the topic you'd like to move that post to." - other: "Please choose the topic you'd like to move those {{count}} posts to." change_owner: - title: "Change Owner of Posts" action: "ndrysho zotëruesin" - error: "There was an error changing the ownership of the posts." - label: "New Owner of Posts" - placeholder: "username of new owner" - instructions: - one: "Please choose the new owner of the post by {{old_user}}." - other: "Please choose the new owner of the {{count}} posts by {{old_user}}." - instructions_warn: "Note that any notifications about this post will not be transferred to the new user retroactively.