Version bump
This commit is contained in:
commit
7bffcdee75
@ -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)
|
||||
|
||||
Binary file not shown.
|
Before Width: | Height: | Size: 90 B |
@ -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);
|
||||
}
|
||||
}
|
||||
|
||||
@ -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));
|
||||
}
|
||||
});
|
||||
|
||||
|
||||
@ -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();
|
||||
}
|
||||
});
|
||||
|
||||
|
||||
@ -1,161 +1,149 @@
|
||||
{{plugin-outlet "admin-dashboard-top"}}
|
||||
|
||||
<div class="dashboard-left">
|
||||
{{#if showVersionChecks}}
|
||||
{{partial 'admin/templates/version-checks'}}
|
||||
{{/if}}
|
||||
{{#conditional-loading-spinner condition=loading}}
|
||||
<div class="dashboard-left">
|
||||
{{#if showVersionChecks}}
|
||||
{{partial 'admin/templates/version-checks'}}
|
||||
{{/if}}
|
||||
|
||||
<div class="dashboard-stats trust-levels">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th> </th>
|
||||
<th>0</th>
|
||||
<th>1</th>
|
||||
<th>2</th>
|
||||
<th>3</th>
|
||||
<th>4</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#unless loading}}
|
||||
<div class="dashboard-stats trust-levels">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th> </th>
|
||||
<th>0</th>
|
||||
<th>1</th>
|
||||
<th>2</th>
|
||||
<th>3</th>
|
||||
<th>4</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#each user_reports as |r|}}
|
||||
{{admin-report-trust-level-counts report=r}}
|
||||
{{/each}}
|
||||
{{/unless}}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats totals">
|
||||
<table>
|
||||
<tr>
|
||||
<td class="title">{{fa-icon "shield"}} {{i18n 'admin.dashboard.admins'}}</td>
|
||||
<td class="value">{{#link-to 'adminUsersList.show' 'admins'}}{{admins}}{{/link-to}}</td>
|
||||
<td class="title">{{fa-icon "ban"}} {{i18n 'admin.dashboard.suspended'}}</td>
|
||||
<td class="value">{{#link-to 'adminUsersList.show' 'suspended'}}{{suspended}}{{/link-to}}</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td class="title">{{fa-icon "shield"}} {{i18n 'admin.dashboard.moderators'}}</td>
|
||||
<td class="value">{{#link-to 'adminUsersList.show' 'moderators'}}{{moderators}}{{/link-to}}</td>
|
||||
<td class="title">{{fa-icon "ban"}} {{i18n 'admin.dashboard.blocked'}}</td>
|
||||
<td class="value">{{#link-to 'adminUsersList.show' 'blocked'}}{{blocked}}{{/link-to}}</td>
|
||||
</tr>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<div class="dashboard-stats totals">
|
||||
<table>
|
||||
<tr>
|
||||
<th> </th>
|
||||
<th>{{i18n 'admin.dashboard.reports.today'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.yesterday'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_7_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_30_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.all'}}</th>
|
||||
<td class="title">{{fa-icon "shield"}} {{i18n 'admin.dashboard.admins'}}</td>
|
||||
<td class="value">{{#link-to 'adminUsersList.show' 'admins'}}{{admins}}{{/link-to}}</td>
|
||||
<td class="title">{{fa-icon "ban"}} {{i18n 'admin.dashboard.suspended'}}</td>
|
||||
<td class="value">{{#link-to 'adminUsersList.show' 'suspended'}}{{suspended}}{{/link-to}}</td>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#unless loading}}
|
||||
<tr>
|
||||
<td class="title">{{fa-icon "shield"}} {{i18n 'admin.dashboard.moderators'}}</td>
|
||||
<td class="value">{{#link-to 'adminUsersList.show' 'moderators'}}{{moderators}}{{/link-to}}</td>
|
||||
<td class="title">{{fa-icon "ban"}} {{i18n 'admin.dashboard.blocked'}}</td>
|
||||
<td class="value">{{#link-to 'adminUsersList.show' 'blocked'}}{{blocked}}{{/link-to}}</td>
|
||||
</tr>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th> </th>
|
||||
<th>{{i18n 'admin.dashboard.reports.today'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.yesterday'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_7_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_30_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.all'}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#each global_reports as |r|}}
|
||||
{{admin-report-counts report=r}}
|
||||
{{/each}}
|
||||
{{/unless}}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title" title="{{i18n 'admin.dashboard.page_views'}}">{{i18n 'admin.dashboard.page_views_short'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.today'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.yesterday'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_7_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_30_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.all'}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#unless loading}}
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title" title="{{i18n 'admin.dashboard.page_views'}}">{{i18n 'admin.dashboard.page_views_short'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.today'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.yesterday'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_7_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_30_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.all'}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#each page_view_reports as |r|}}
|
||||
{{admin-report-counts report=r}}
|
||||
{{/each}}
|
||||
{{/unless}}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title" title="{{i18n 'admin.dashboard.private_messages_title'}}">{{fa-icon "envelope"}} {{i18n 'admin.dashboard.private_messages_short'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.today'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.yesterday'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_7_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_30_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.all'}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#unless loading}}
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title" title="{{i18n 'admin.dashboard.private_messages_title'}}">{{fa-icon "envelope"}} {{i18n 'admin.dashboard.private_messages_short'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.today'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.yesterday'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_7_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_30_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.all'}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#each private_message_reports as |r|}}
|
||||
{{admin-report-counts report=r}}
|
||||
{{/each}}
|
||||
{{/unless}}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title" title="{{i18n 'admin.dashboard.mobile_title'}}">{{i18n 'admin.dashboard.mobile_title'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.today'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.yesterday'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_7_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_30_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.all'}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#unless loading}}
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title" title="{{i18n 'admin.dashboard.mobile_title'}}">{{i18n 'admin.dashboard.mobile_title'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.today'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.yesterday'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_7_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.last_30_days'}}</th>
|
||||
<th>{{i18n 'admin.dashboard.reports.all'}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#each mobile_reports as |r|}}
|
||||
{{admin-report-counts report=r}}
|
||||
{{/each}}
|
||||
{{/unless}}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th> </th>
|
||||
<th></th>
|
||||
<th></th>
|
||||
<th></th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{#unless loading}}
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th> </th>
|
||||
<th></th>
|
||||
<th></th>
|
||||
<th></th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
<tr>
|
||||
<td>{{i18n 'admin.dashboard.uploads'}}</td>
|
||||
<td>{{disk_space.uploads_used}} ({{i18n 'admin.dashboard.space_free' size=disk_space.uploads_free}})</td>
|
||||
<td>{{#if currentUser.admin}}<a href="/admin/backups">{{i18n 'admin.dashboard.backups'}}</a>{{/if}}</td>
|
||||
<td>{{disk_space.backups_used}} ({{i18n 'admin.dashboard.space_free' size=disk_space.backups_free}})</td>
|
||||
</tr>
|
||||
{{/unless}}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
{{#unless loading}}
|
||||
{{#if showTrafficReport}}
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
@ -183,54 +171,53 @@
|
||||
<a href {{action 'showTrafficReport'}}>{{i18n 'admin.dashboard.show_traffic_report'}}</a>
|
||||
</div>
|
||||
{{/if}}
|
||||
{{/unless}}
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-right">
|
||||
|
||||
{{#if foundProblems}}
|
||||
<div class="dashboard-stats detected-problems">
|
||||
<div class="look-here">{{fa-icon "exclamation-triangle"}}</div>
|
||||
<div class="problem-messages">
|
||||
<p class="{{if loadingProblems 'invisible'}}">
|
||||
{{i18n 'admin.dashboard.problems_found'}}
|
||||
<ul class="{{if loadingProblems 'invisible'}}">
|
||||
{{#each problems as |problem|}}
|
||||
<li>{{{problem}}}</li>
|
||||
{{/each}}
|
||||
</ul>
|
||||
</p>
|
||||
<p class="actions">
|
||||
<small>{{i18n 'admin.dashboard.last_checked'}}: {{problemsTimestamp}}</small>
|
||||
{{d-button action="refreshProblems" class="btn-small" icon="refresh" label="admin.dashboard.refresh_problems"}}
|
||||
</p>
|
||||
</div>
|
||||
<div class="clearfix"></div>
|
||||
</div>
|
||||
{{else}}
|
||||
{{#if thereWereProblems}}
|
||||
<div class="dashboard-right">
|
||||
{{#if foundProblems}}
|
||||
<div class="dashboard-stats detected-problems">
|
||||
<div class="look-here"> </div>
|
||||
<div class="look-here">{{fa-icon "exclamation-triangle"}}</div>
|
||||
<div class="problem-messages">
|
||||
<p>
|
||||
{{i18n 'admin.dashboard.no_problems'}}
|
||||
{{d-button action="refreshProblems" class="btn-small" icon="refresh" label="admin.dashboard.refresh_problems"}}
|
||||
</p>
|
||||
{{#conditional-loading-spinner condition=loadingProblems}}
|
||||
<p>
|
||||
{{i18n 'admin.dashboard.problems_found'}}
|
||||
<ul class="{{if loadingProblems 'invisible'}}">
|
||||
{{#each problems as |problem|}}
|
||||
<li>{{{problem}}}</li>
|
||||
{{/each}}
|
||||
</ul>
|
||||
</p>
|
||||
<p class="actions">
|
||||
<small>{{i18n 'admin.dashboard.last_checked'}}: {{problemsTimestamp}}</small>
|
||||
{{d-button action="refreshProblems" class="btn-small" icon="refresh" label="admin.dashboard.refresh_problems"}}
|
||||
</p>
|
||||
{{/conditional-loading-spinner}}
|
||||
</div>
|
||||
<div class="clearfix"></div>
|
||||
</div>
|
||||
{{else}}
|
||||
{{#if thereWereProblems}}
|
||||
<div class="dashboard-stats detected-problems">
|
||||
<div class="look-here"> </div>
|
||||
<div class="problem-messages">
|
||||
<p>
|
||||
{{i18n 'admin.dashboard.no_problems'}}
|
||||
{{d-button action="refreshProblems" class="btn-small" icon="refresh" label="admin.dashboard.refresh_problems"}}
|
||||
</p>
|
||||
</div>
|
||||
<div class="clearfix"></div>
|
||||
</div>
|
||||
{{/if}}
|
||||
{{/if}}
|
||||
{{/if}}
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title">{{top_referred_topics.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}})</th>
|
||||
<th>{{top_referred_topics.ytitles.num_clicks}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
{{#unless loading}}
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title">{{top_referred_topics.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}})</th>
|
||||
<th>{{top_referred_topics.ytitles.num_clicks}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
{{#each top_referred_topics.data as |data|}}
|
||||
<tbody>
|
||||
<tr>
|
||||
@ -245,20 +232,18 @@
|
||||
</tr>
|
||||
</tbody>
|
||||
{{/each}}
|
||||
{{/unless}}
|
||||
</table>
|
||||
</div>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title">{{top_traffic_sources.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}})</th>
|
||||
<th>{{top_traffic_sources.ytitles.num_clicks}}</th>
|
||||
<th>{{top_traffic_sources.ytitles.num_topics}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
{{#unless loading}}
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title">{{top_traffic_sources.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}})</th>
|
||||
<th>{{top_traffic_sources.ytitles.num_clicks}}</th>
|
||||
<th>{{top_traffic_sources.ytitles.num_topics}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
{{#each top_traffic_sources.data as |s|}}
|
||||
<tbody>
|
||||
<tr>
|
||||
@ -268,20 +253,18 @@
|
||||
</tr>
|
||||
</tbody>
|
||||
{{/each}}
|
||||
{{/unless}}
|
||||
</table>
|
||||
</div>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title">{{top_referrers.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}})</th>
|
||||
<th>{{top_referrers.ytitles.num_clicks}}</th>
|
||||
<th>{{top_referrers.ytitles.num_topics}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
{{#unless loading}}
|
||||
<div class="dashboard-stats">
|
||||
<table class="table table-condensed table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th class="title">{{top_referrers.title}} ({{i18n 'admin.dashboard.reports.last_30_days'}})</th>
|
||||
<th>{{top_referrers.ytitles.num_clicks}}</th>
|
||||
<th>{{top_referrers.ytitles.num_topics}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
{{#each top_referrers.data as |r|}}
|
||||
<tbody>
|
||||
<tr>
|
||||
@ -291,14 +274,14 @@
|
||||
</tr>
|
||||
</tbody>
|
||||
{{/each}}
|
||||
{{/unless}}
|
||||
</table>
|
||||
</table>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div class='clearfix'></div>
|
||||
|
||||
<div class="dashboard-stats pull-right">
|
||||
<div class="pull-right">{{i18n 'admin.dashboard.last_updated'}} {{updatedTimestamp}}</div>
|
||||
<div class='clearfix'></div>
|
||||
</div>
|
||||
<div class='clearfix'></div>
|
||||
|
||||
<div class="dashboard-stats pull-right">
|
||||
<div class="pull-right">{{i18n 'admin.dashboard.last_updated'}} {{updatedTimestamp}}</div>
|
||||
<div class='clearfix'></div>
|
||||
</div>
|
||||
<div class='clearfix'></div>
|
||||
{{/conditional-loading-spinner}}
|
||||
|
||||
@ -8,65 +8,63 @@
|
||||
<th colspan="3">{{i18n 'admin.dashboard.latest_version'}}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
{{#unless loading}}
|
||||
<tbody>
|
||||
<td class="title">{{i18n 'admin.dashboard.version'}}</td>
|
||||
<td class="version-number"><a href={{versionCheck.gitLink}} target="_blank">{{dash-if-empty versionCheck.installed_describe}}</a></td>
|
||||
<tbody>
|
||||
<td class="title">{{i18n 'admin.dashboard.version'}}</td>
|
||||
<td class="version-number"><a href={{versionCheck.gitLink}} target="_blank">{{dash-if-empty versionCheck.installed_describe}}</a></td>
|
||||
|
||||
{{#if versionCheck.noCheckPerformed}}
|
||||
<td class="version-number">—</td>
|
||||
{{#if versionCheck.noCheckPerformed}}
|
||||
<td class="version-number">—</td>
|
||||
<td class="face">
|
||||
<span class="icon critical-updates-available">{{fa-icon "frown-o"}}</span>
|
||||
</td>
|
||||
<td class="version-notes">
|
||||
<span class="normal-note">{{i18n 'admin.dashboard.no_check_performed'}}</span>
|
||||
</td>
|
||||
{{else}}
|
||||
{{#if versionCheck.staleData}}
|
||||
<td class="version-number">{{#if versionCheck.version_check_pending}}{{dash-if-empty versionCheck.installed_version}}{{/if}}</td>
|
||||
<td class="face">
|
||||
<span class="icon critical-updates-available">{{fa-icon "frown-o"}}</span>
|
||||
{{#if versionCheck.version_check_pending}}
|
||||
<span class='icon up-to-date'>{{fa-icon "smile-o"}}</span>
|
||||
{{else}}
|
||||
<span class="icon critical-updates-available">{{fa-icon "frown-o"}}</span>
|
||||
{{/if}}
|
||||
</td>
|
||||
<td class="version-notes">
|
||||
<span class="normal-note">{{i18n 'admin.dashboard.no_check_performed'}}</span>
|
||||
<span class="normal-note">
|
||||
{{#if versionCheck.version_check_pending}}
|
||||
{{i18n 'admin.dashboard.version_check_pending'}}
|
||||
{{else}}
|
||||
{{i18n 'admin.dashboard.stale_data'}}
|
||||
{{/if}}
|
||||
</span>
|
||||
</td>
|
||||
{{else}}
|
||||
{{#if versionCheck.staleData}}
|
||||
<td class="version-number">{{#if versionCheck.version_check_pending}}{{dash-if-empty versionCheck.installed_version}}{{/if}}</td>
|
||||
<td class="face">
|
||||
{{#if versionCheck.version_check_pending}}
|
||||
<span class='icon up-to-date'>{{fa-icon "smile-o"}}</span>
|
||||
{{else}}
|
||||
<span class="icon critical-updates-available">{{fa-icon "frown-o"}}</span>
|
||||
{{/if}}
|
||||
</td>
|
||||
<td class="version-notes">
|
||||
<span class="normal-note">
|
||||
{{#if versionCheck.version_check_pending}}
|
||||
{{i18n 'admin.dashboard.version_check_pending'}}
|
||||
<td class="version-number">{{dash-if-empty versionCheck.latest_version}}</td>
|
||||
<td class="face">
|
||||
{{#if versionCheck.upToDate }}
|
||||
<span class='icon up-to-date'>{{fa-icon "smile-o"}}</span>
|
||||
{{else}}
|
||||
<span class="icon {{if versionCheck.critical_updates 'critical-updates-available' 'updates-available'}}">
|
||||
{{#if versionCheck.behindByOneVersion}}
|
||||
{{fa-icon "meh-o"}}
|
||||
{{else}}
|
||||
{{i18n 'admin.dashboard.stale_data'}}
|
||||
{{fa-icon "frown-o"}}
|
||||
{{/if}}
|
||||
</span>
|
||||
</td>
|
||||
{{else}}
|
||||
<td class="version-number">{{dash-if-empty versionCheck.latest_version}}</td>
|
||||
<td class="face">
|
||||
{{#if versionCheck.upToDate }}
|
||||
<span class='icon up-to-date'>{{fa-icon "smile-o"}}</span>
|
||||
{{else}}
|
||||
<span class="icon {{if versionCheck.critical_updates 'critical-updates-available' 'updates-available'}}">
|
||||
{{#if versionCheck.behindByOneVersion}}
|
||||
{{fa-icon "meh-o"}}
|
||||
{{else}}
|
||||
{{fa-icon "frown-o"}}
|
||||
{{/if}}
|
||||
</span>
|
||||
{{/if}}
|
||||
</td>
|
||||
<td class="version-notes">
|
||||
{{#if versionCheck.upToDate }}
|
||||
{{i18n 'admin.dashboard.up_to_date'}}
|
||||
{{else}}
|
||||
<span class="critical-note">{{i18n 'admin.dashboard.critical_available'}}</span>
|
||||
<span class="normal-note">{{i18n 'admin.dashboard.updates_available'}}</span>
|
||||
{{i18n 'admin.dashboard.please_upgrade'}}
|
||||
{{/if}}
|
||||
</td>
|
||||
{{/if}}
|
||||
{{/if}}
|
||||
</td>
|
||||
<td class="version-notes">
|
||||
{{#if versionCheck.upToDate }}
|
||||
{{i18n 'admin.dashboard.up_to_date'}}
|
||||
{{else}}
|
||||
<span class="critical-note">{{i18n 'admin.dashboard.critical_available'}}</span>
|
||||
<span class="normal-note">{{i18n 'admin.dashboard.updates_available'}}</span>
|
||||
{{i18n 'admin.dashboard.please_upgrade'}}
|
||||
{{/if}}
|
||||
</td>
|
||||
{{/if}}
|
||||
</tbody>
|
||||
{{/unless}}
|
||||
{{/if}}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
|
||||
@ -8,6 +8,7 @@ export default Ember.Component.extend({
|
||||
queuedForTyping: null,
|
||||
_lastSimilaritySearch: null,
|
||||
_similarTopicsMessage: null,
|
||||
_yourselfConfirm: null,
|
||||
similarTopics: null,
|
||||
|
||||
hidden: Ember.computed.not('composer.viewOpen'),
|
||||
@ -83,6 +84,22 @@ export default Ember.Component.extend({
|
||||
// Some messages only get shown after being typed.
|
||||
_typedReply() {
|
||||
if (this.isDestroying || this.isDestroyed) { return; }
|
||||
|
||||
const composer = this.get('composer');
|
||||
if (composer.get('privateMessage')) {
|
||||
const usernames = composer.get('targetUsernames').split(',');
|
||||
if (usernames.length === 1 && usernames[0] === this.currentUser.get('username')) {
|
||||
|
||||
const message = this._yourselfConfirm || composer.store.createRecord('composer-message', {
|
||||
id: 'yourself_confirm',
|
||||
templateName: 'custom-body',
|
||||
title: I18n.t('composer.yourself_confirm.title'),
|
||||
body: I18n.t('composer.yourself_confirm.body')
|
||||
});
|
||||
this.send('popup', message);
|
||||
}
|
||||
}
|
||||
|
||||
this.get('queuedForTyping').forEach(msg => this.send("popup", msg));
|
||||
},
|
||||
|
||||
|
||||
@ -211,8 +211,10 @@ export default Ember.Component.extend({
|
||||
|
||||
// disable clicking on links in the preview
|
||||
this.$('.d-editor-preview').on('click.preview', e => {
|
||||
e.preventDefault();
|
||||
return false;
|
||||
if ($(e.target).is("a")) {
|
||||
e.preventDefault();
|
||||
return false;
|
||||
}
|
||||
});
|
||||
|
||||
this.appEvents.on('composer:insert-text', text => this._addText(this._getSelected(), text));
|
||||
|
||||
@ -43,6 +43,8 @@ export default Ember.TextField.extend({
|
||||
this.set('allowCreate', site.get('can_create_tag'));
|
||||
}
|
||||
|
||||
this.set('termMatchesForbidden', false);
|
||||
|
||||
if (this.get('unlimitedTagCount')) {
|
||||
limit = null;
|
||||
} else if (this.get('limit')) {
|
||||
@ -78,7 +80,7 @@ export default Ember.TextField.extend({
|
||||
term = term.replace(filterRegexp, '').trim();
|
||||
|
||||
// No empty terms, make sure the user has permission to create the tag
|
||||
if (!term.length || !self.get('allowCreate')) return;
|
||||
if (!term.length || !self.get('allowCreate') || self.get('termMatchesForbidden')) return;
|
||||
|
||||
if ($(data).filter(function() {
|
||||
return this.text.localeCompare(term) === 0;
|
||||
@ -119,6 +121,7 @@ export default Ember.TextField.extend({
|
||||
if (self.siteSettings.tags_sort_alphabetically) {
|
||||
data.results = data.results.sort(function(a,b) { return a.id > b.id; });
|
||||
}
|
||||
self.set('termMatchesForbidden', data.forbidden ? true : false);
|
||||
return data;
|
||||
}
|
||||
},
|
||||
|
||||
@ -168,17 +168,29 @@ export default Ember.Component.extend({
|
||||
}
|
||||
},
|
||||
|
||||
_jumpTo(postIndex) {
|
||||
postIndex = parseInt(postIndex, 10);
|
||||
|
||||
// Validate the post index first
|
||||
if (isNaN(postIndex) || postIndex < 1) {
|
||||
postIndex = 1;
|
||||
}
|
||||
if (postIndex > this.get('postStream.filteredPostsCount')) {
|
||||
postIndex = this.get('postStream.filteredPostsCount');
|
||||
}
|
||||
this.set('toPostIndex', postIndex);
|
||||
this._beforeJump();
|
||||
this.sendAction('jumpToIndex', postIndex);
|
||||
},
|
||||
|
||||
actions: {
|
||||
toggleExpansion(opts) {
|
||||
this.toggleProperty('expanded');
|
||||
if (this.get('expanded')) {
|
||||
this.set('userWantsToJump', false);
|
||||
this.set('toPostIndex', this.get('progressPosition'));
|
||||
if(opts && opts.highlight){
|
||||
// TODO: somehow move to view?
|
||||
Em.run.next(function(){
|
||||
$('.jump-form input').select().focus();
|
||||
});
|
||||
if (opts && opts.highlight) {
|
||||
Ember.run.next(() => $('.jump-form input').select().focus());
|
||||
}
|
||||
if (!this.site.mobileView && !this.capabilities.isIOS) {
|
||||
Ember.run.schedule('afterRender', () => this.$('input').focus());
|
||||
@ -186,19 +198,14 @@ export default Ember.Component.extend({
|
||||
}
|
||||
},
|
||||
|
||||
jumpPost() {
|
||||
let postIndex = parseInt(this.get('toPostIndex'), 10);
|
||||
jumpPrompt() {
|
||||
const postIndex = prompt(I18n.t('topic.progress.jump_prompt_long'));
|
||||
if (postIndex === null) { return; }
|
||||
this._jumpTo(postIndex);
|
||||
},
|
||||
|
||||
// Validate the post index first
|
||||
if (isNaN(postIndex) || postIndex < 1) {
|
||||
postIndex = 1;
|
||||
}
|
||||
if (postIndex > this.get('postStream.filteredPostsCount')) {
|
||||
postIndex = this.get('postStream.filteredPostsCount');
|
||||
}
|
||||
this.set('toPostIndex', postIndex);
|
||||
this._beforeJump();
|
||||
this.sendAction('jumpToIndex', postIndex);
|
||||
jumpPost() {
|
||||
this._jumpTo(this.get('toPostIndex'));
|
||||
},
|
||||
|
||||
jumpTop() {
|
||||
|
||||
@ -63,6 +63,7 @@ export default Ember.Controller.extend({
|
||||
isUploading: false,
|
||||
topic: null,
|
||||
linkLookup: null,
|
||||
whisperOrUnlistTopic: Ember.computed.or('model.whisper', 'model.unlistTopic'),
|
||||
|
||||
@computed('model.replyingToTopic', 'model.creatingPrivateMessage', 'model.targetUsernames')
|
||||
focusTarget(replyingToTopic, creatingPM, usernames) {
|
||||
@ -109,10 +110,26 @@ export default Ember.Controller.extend({
|
||||
!creatingPrivateMessage;
|
||||
},
|
||||
|
||||
@computed('model.action')
|
||||
canWhisper(action) {
|
||||
@computed('model.whisper', 'model.unlistTopic')
|
||||
whisperOrUnlistTopicText(whisper, unlistTopic) {
|
||||
if (whisper) {
|
||||
return I18n.t("composer.whisper");
|
||||
} else if (unlistTopic) {
|
||||
return I18n.t("composer.unlist");
|
||||
}
|
||||
},
|
||||
|
||||
@computed
|
||||
isStaffUser() {
|
||||
const currentUser = this.currentUser;
|
||||
return currentUser && currentUser.get('staff') && this.siteSettings.enable_whispers && action === Composer.REPLY;
|
||||
return currentUser && currentUser.get('staff');
|
||||
},
|
||||
|
||||
canUnlistTopic: Em.computed.and('model.creatingTopic', 'isStaffUser'),
|
||||
|
||||
@computed('model.action', 'isStaffUser')
|
||||
canWhisper(action, isStaffUser) {
|
||||
return isStaffUser && this.siteSettings.enable_whispers && action === Composer.REPLY;
|
||||
},
|
||||
|
||||
@computed("popupMenuOptions")
|
||||
@ -132,11 +149,20 @@ export default Ember.Controller.extend({
|
||||
return option;
|
||||
},
|
||||
|
||||
@computed("model.composeState")
|
||||
@computed("model.composeState", "model.creatingTopic")
|
||||
popupMenuOptions(composeState) {
|
||||
if (composeState === 'open') {
|
||||
let options = [];
|
||||
|
||||
options.push(this._setupPopupMenuOption(() => {
|
||||
return {
|
||||
action: 'toggleInvisible',
|
||||
icon: 'eye-slash',
|
||||
label: 'composer.toggle_unlisted',
|
||||
condition: "canUnlistTopic"
|
||||
};
|
||||
}));
|
||||
|
||||
options.push(this._setupPopupMenuOption(() => {
|
||||
return {
|
||||
action: 'toggleWhisper',
|
||||
@ -210,6 +236,10 @@ export default Ember.Controller.extend({
|
||||
this.toggleProperty('model.whisper');
|
||||
},
|
||||
|
||||
toggleInvisible() {
|
||||
this.toggleProperty('model.unlistTopic');
|
||||
},
|
||||
|
||||
toggleToolbar() {
|
||||
this.toggleProperty('showToolbar');
|
||||
},
|
||||
@ -503,7 +533,6 @@ export default Ember.Controller.extend({
|
||||
this.set('scopedCategoryId', opts.categoryId);
|
||||
}
|
||||
|
||||
|
||||
this.setProperties({ showEditReason: false, editReason: null });
|
||||
|
||||
// If we want a different draft than the current composer, close it and clear our model.
|
||||
@ -545,6 +574,12 @@ export default Ember.Controller.extend({
|
||||
}).then(resolve, reject);
|
||||
}
|
||||
|
||||
if (composerModel) {
|
||||
if (composerModel.get('action') !== opts.action) {
|
||||
composerModel.setProperties({ unlistTopic: false, whisper: false });
|
||||
}
|
||||
}
|
||||
|
||||
self._setModel(composerModel, opts);
|
||||
resolve();
|
||||
});
|
||||
|
||||
@ -48,6 +48,12 @@ export default Ember.Controller.extend(CanCheckEmails, {
|
||||
return this.siteSettings.enable_badges && hasTitleBadges;
|
||||
},
|
||||
|
||||
@computed("model.can_change_bio")
|
||||
canChangeBio(canChangeBio)
|
||||
{
|
||||
return canChangeBio;
|
||||
},
|
||||
|
||||
@computed()
|
||||
canChangePassword() {
|
||||
return !this.siteSettings.enable_sso && this.siteSettings.enable_local_logins;
|
||||
|
||||
@ -8,6 +8,7 @@ import computed from 'ember-addons/ember-computed-decorators';
|
||||
import Composer from 'discourse/models/composer';
|
||||
import DiscourseURL from 'discourse/lib/url';
|
||||
import { categoryBadgeHTML } from 'discourse/helpers/category-link';
|
||||
import Post from 'discourse/models/post';
|
||||
|
||||
export default Ember.Controller.extend(SelectedPostsCount, BufferedContent, {
|
||||
needs: ['modal', 'composer', 'quote-button', 'application'],
|
||||
@ -517,6 +518,16 @@ export default Ember.Controller.extend(SelectedPostsCount, BufferedContent, {
|
||||
});
|
||||
},
|
||||
|
||||
mergePosts() {
|
||||
bootbox.confirm(I18n.t("post.merge.confirm", { count: this.get('selectedPostsCount') }), result => {
|
||||
if (result) {
|
||||
const selectedPosts = this.get('selectedPosts');
|
||||
Post.mergePosts(selectedPosts);
|
||||
this.send('toggleMultiSelect');
|
||||
}
|
||||
});
|
||||
},
|
||||
|
||||
expandHidden(post) {
|
||||
post.expandHidden();
|
||||
},
|
||||
@ -692,6 +703,13 @@ export default Ember.Controller.extend(SelectedPostsCount, BufferedContent, {
|
||||
return this.get('selectedPostsUsername') !== undefined;
|
||||
}.property('selectedPostsUsername'),
|
||||
|
||||
@computed('selectedPosts', 'selectedPostsCount', 'selectedPostsUsername')
|
||||
canMergePosts(selectedPosts, selectedPostsCount, selectedPostsUsername) {
|
||||
if (selectedPostsCount < 2) return false;
|
||||
if (!selectedPosts.every(p => p.get('can_delete'))) return false;
|
||||
return selectedPostsUsername !== undefined;
|
||||
},
|
||||
|
||||
categories: function() {
|
||||
return Discourse.Category.list();
|
||||
}.property(),
|
||||
|
||||
@ -20,7 +20,7 @@ export default Ember.Controller.extend(ModalFunctionality, {
|
||||
return allowsAttachments() ? "upload" : "picture-o";
|
||||
},
|
||||
|
||||
@computed('controller.local')
|
||||
@computed('local')
|
||||
tip(local) {
|
||||
const source = local ? "local" : "remote";
|
||||
const authorized_extensions = authorizesAllExtensions() ? "" : `(${authorizedExtensions()})`;
|
||||
|
||||
@ -14,6 +14,11 @@ export default Ember.ArrayController.extend({
|
||||
return length > 0;
|
||||
},
|
||||
|
||||
@computed('model.content.@each.read')
|
||||
allNotificationsRead() {
|
||||
return !this.get('model.content').some((notification) => !notification.get('read'));
|
||||
},
|
||||
|
||||
currentPath: Em.computed.alias('controllers.application.currentPath'),
|
||||
|
||||
actions: {
|
||||
|
||||
@ -2,12 +2,22 @@ import DiscourseURL from 'discourse/lib/url';
|
||||
|
||||
export default {
|
||||
name: 'url-redirects',
|
||||
initialize: function() {
|
||||
after: 'inject-objects',
|
||||
|
||||
initialize(container) {
|
||||
|
||||
const currentUser = container.lookup('current-user:main');
|
||||
|
||||
// URL rewrites (usually due to refactoring)
|
||||
DiscourseURL.rewrite(/^\/category\//, "/c/");
|
||||
DiscourseURL.rewrite(/^\/group\//, "/groups/");
|
||||
DiscourseURL.rewrite(/\/private-messages\/$/, "/messages/");
|
||||
|
||||
if (currentUser) {
|
||||
const username = currentUser.get('username');
|
||||
DiscourseURL.rewrite(new RegExp(`^/users/${username}/?$`, "i"), `/users/${username}/summary`);
|
||||
}
|
||||
|
||||
DiscourseURL.rewrite(/^\/users\/([^\/]+)\/?$/, "/users/$1/activity");
|
||||
}
|
||||
};
|
||||
|
||||
@ -28,7 +28,7 @@ export function linkSeenTagHashtags($elem) {
|
||||
|
||||
if ($hashtags.length) {
|
||||
const tagValues = $hashtags.map((_, hashtag) => {
|
||||
return $(hashtag).text().substr(1).replace(`${TAG_HASHTAG_POSTFIX}`, "");
|
||||
return $(hashtag).text().substr(1).replace(TAG_HASHTAG_POSTFIX, "");
|
||||
});
|
||||
|
||||
if (tagValues.length) {
|
||||
|
||||
@ -226,7 +226,7 @@ export function authorizedExtensions() {
|
||||
export function uploadLocation(url) {
|
||||
if (Discourse.CDN) {
|
||||
url = Discourse.getURLWithCDN(url);
|
||||
return url.startsWith('//') ? 'http:' + url : url;
|
||||
return /^\/\//.test(url) ? 'http:' + url : url;
|
||||
} else if (Discourse.SiteSettings.enable_s3_uploads) {
|
||||
return 'https:' + url;
|
||||
} else {
|
||||
|
||||
@ -1,21 +1,26 @@
|
||||
import { on, observes } from 'ember-addons/ember-computed-decorators';
|
||||
|
||||
// Mix this in to a view that has a `archetype` property to automatically
|
||||
// add it to the body as the view is entered / left / model is changed.
|
||||
// This is used for keeping the `body` style in sync for the background image.
|
||||
export default {
|
||||
_init: function() { this.get('archetype'); }.on('init'),
|
||||
|
||||
_cleanUp() {
|
||||
$('body').removeClass((_, css) => (css.match(/\barchetype-\S+/g) || []).join(' '));
|
||||
},
|
||||
|
||||
_archetypeChanged: function() {
|
||||
@observes('archetype')
|
||||
@on('init')
|
||||
_archetypeChanged() {
|
||||
const archetype = this.get('archetype');
|
||||
this._cleanUp();
|
||||
|
||||
if (archetype) {
|
||||
$('body').addClass('archetype-' + archetype);
|
||||
}
|
||||
}.observes('archetype'),
|
||||
},
|
||||
|
||||
_willDestroyElement: function() { this._cleanUp(); }.on('willDestroyElement')
|
||||
willDestroyElement() {
|
||||
this._super();
|
||||
this._cleanUp();
|
||||
}
|
||||
};
|
||||
|
||||
@ -22,6 +22,7 @@ const CLOSED = 'closed',
|
||||
_create_serializer = {
|
||||
raw: 'reply',
|
||||
title: 'title',
|
||||
unlist_topic: 'unlistTopic',
|
||||
category: 'categoryId',
|
||||
topic_id: 'topic.id',
|
||||
is_warning: 'isWarning',
|
||||
@ -41,6 +42,7 @@ const CLOSED = 'closed',
|
||||
|
||||
const Composer = RestModel.extend({
|
||||
_categoryId: null,
|
||||
unlistTopic: false,
|
||||
|
||||
archetypes: function() {
|
||||
return this.site.get('archetypes');
|
||||
@ -504,6 +506,7 @@ const Composer = RestModel.extend({
|
||||
reply: null,
|
||||
post: null,
|
||||
title: null,
|
||||
unlistTopic: false,
|
||||
editReason: null,
|
||||
stagedPost: false,
|
||||
typingTime: 0,
|
||||
|
||||
@ -328,6 +328,15 @@ Post.reopenClass({
|
||||
});
|
||||
},
|
||||
|
||||
mergePosts(selectedPosts) {
|
||||
return ajax("/posts/merge_posts", {
|
||||
type: 'PUT',
|
||||
data: { post_ids: selectedPosts.map(p => p.get('id')) }
|
||||
}).catch(() => {
|
||||
self.flash(I18n.t('topic.merge_posts.error'));
|
||||
});
|
||||
},
|
||||
|
||||
loadRevision(postId, version) {
|
||||
return ajax("/posts/" + postId + "/revisions/" + version + ".json")
|
||||
.then(result => Ember.Object.create(result));
|
||||
|
||||
@ -103,7 +103,7 @@ const TopicTrackingState = Discourse.Model.extend({
|
||||
|
||||
notify(data) {
|
||||
if (!this.newIncoming) { return; }
|
||||
if (data.archetype === "private_message") { return; }
|
||||
if (data.payload && data.payload.archetype === "private_message") { return; }
|
||||
|
||||
const filter = this.get("filter");
|
||||
const filterCategory = this.get("filterCategory");
|
||||
|
||||
@ -245,7 +245,7 @@ const User = RestModel.extend({
|
||||
|
||||
@computed("groups.[]")
|
||||
displayGroups() {
|
||||
const groups = this.get('groups');
|
||||
const groups = this.get('groups') || [];
|
||||
const filtered = groups.filter(group => {
|
||||
return !group.automatic || group.name === "moderators";
|
||||
});
|
||||
@ -394,7 +394,6 @@ const User = RestModel.extend({
|
||||
|
||||
checkEmail() {
|
||||
return ajax(`/users/${this.get("username_lower")}/emails.json`, {
|
||||
type: "PUT",
|
||||
data: { context: window.location.pathname }
|
||||
}).then(result => {
|
||||
if (result) {
|
||||
|
||||
@ -64,9 +64,9 @@ export default {
|
||||
app["TagsShowParentCategoryRoute"] = TagsShowRoute.extend();
|
||||
|
||||
site.get('filters').forEach(function(filter) {
|
||||
app["TagsShow" + filter.capitalize() + "Route"] = TagsShowRoute.extend({ filterMode: filter });
|
||||
app["TagsShowCategory" + filter.capitalize() + "Route"] = TagsShowRoute.extend({ filterMode: filter });
|
||||
app["TagsShowParentCategory" + filter.capitalize() + "Route"] = TagsShowRoute.extend({ filterMode: filter });
|
||||
app["TagsShow" + filter.capitalize() + "Route"] = TagsShowRoute.extend({ navMode: filter });
|
||||
app["TagsShowCategory" + filter.capitalize() + "Route"] = TagsShowRoute.extend({ navMode: filter });
|
||||
app["TagsShowParentCategory" + filter.capitalize() + "Route"] = TagsShowRoute.extend({ navMode: filter });
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
@ -1,43 +1,41 @@
|
||||
import User from 'discourse/models/user';
|
||||
import Group from 'discourse/models/group';
|
||||
|
||||
export default Discourse.Route.extend({
|
||||
beforeModel: function(transition) {
|
||||
const self = this;
|
||||
if (Discourse.User.current()) {
|
||||
// User is logged in
|
||||
self.replaceWith('discovery.latest').then(function(e) {
|
||||
if (transition.queryParams.username) {
|
||||
// send a message to user
|
||||
Discourse.User.findByUsername(transition.queryParams.username).then((user) => {
|
||||
|
||||
beforeModel(transition) {
|
||||
const params = transition.queryParams;
|
||||
|
||||
if (this.currentUser) {
|
||||
this.replaceWith("discovery.latest").then(e => {
|
||||
if (params.username) {
|
||||
// send a message to a user
|
||||
User.findByUsername(params.username).then(user => {
|
||||
if (user.can_send_private_message_to_user) {
|
||||
Ember.run.next(function() {
|
||||
e.send('createNewMessageViaParams', user.username, transition.queryParams.title, transition.queryParams.body);
|
||||
});
|
||||
Ember.run.next(() => e.send("createNewMessageViaParams", user.username, params.title, params.body));
|
||||
} else {
|
||||
bootbox.alert(I18n.t("composer.cant_send_pm", {username: user.username}));
|
||||
bootbox.alert(I18n.t("composer.cant_send_pm", { username: user.username }));
|
||||
}
|
||||
}).catch(() => {
|
||||
}).catch(function() {
|
||||
bootbox.alert(I18n.t("generic_error"));
|
||||
});
|
||||
} else {
|
||||
// send a message to group
|
||||
Group.find(transition.queryParams.groupname).then((group) => {
|
||||
if (!group.automatic && group.mentionable) {
|
||||
Ember.run.next(function() {
|
||||
e.send('createNewMessageViaParams', group.name, transition.queryParams.title, transition.queryParams.body);
|
||||
});
|
||||
} else if (params.groupname) {
|
||||
// send a message to a group
|
||||
Group.find(params.groupname).then(group => {
|
||||
if (group.mentionable) {
|
||||
Ember.run.next(() => e.send("createNewMessageViaParams", group.name, params.title, params.body));
|
||||
} else {
|
||||
bootbox.alert(I18n.t("composer.cant_send_pm", {username: group.name}));
|
||||
bootbox.alert(I18n.t("composer.cant_send_pm", { username: group.name }));
|
||||
}
|
||||
}).catch(() => {
|
||||
}).catch(function() {
|
||||
bootbox.alert(I18n.t("generic_error"));
|
||||
});
|
||||
}
|
||||
});
|
||||
} else {
|
||||
// User is not logged in
|
||||
self.session.set("shouldRedirectToUrl", window.location.href);
|
||||
self.replaceWith('login');
|
||||
this.session.set("shouldRedirectToUrl", window.location.href);
|
||||
this.replaceWith('login');
|
||||
}
|
||||
}
|
||||
|
||||
});
|
||||
|
||||
@ -1,13 +1,18 @@
|
||||
export default Discourse.Route.extend({
|
||||
|
||||
beforeModel: function() {
|
||||
beforeModel() {
|
||||
|
||||
const { currentUser } = this;
|
||||
const viewingMe = (currentUser && currentUser.get('username') === this.modelFor('user').get('username'));
|
||||
const destination = viewingMe ? 'user.summary' : 'userActivity';
|
||||
|
||||
// HACK: Something with the way the user card intercepts clicks seems to break how the
|
||||
// transition into a user's activity works. This makes the back button work on mobile
|
||||
// where there is no user card as well as desktop where there is.
|
||||
if (this.site.mobileView) {
|
||||
this.replaceWith('userActivity');
|
||||
this.replaceWith(destination);
|
||||
} else {
|
||||
this.transitionTo('userActivity');
|
||||
this.transitionTo(destination);
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
@ -1,5 +1,5 @@
|
||||
export default Discourse.Route.extend({
|
||||
model() {
|
||||
return this.modelFor("User").summary();
|
||||
return this.modelFor("user").summary();
|
||||
}
|
||||
});
|
||||
|
||||
@ -28,8 +28,7 @@ const LogsNotice = Ember.Object.extend({
|
||||
|
||||
this.set('text',
|
||||
I18n.t(`logs_error_rate_notice.${translationKey}`, {
|
||||
relativeAge: autoUpdatingRelativeAge(new Date),
|
||||
timestamp: moment().format("YYYY-MM-DD H:mm:ss"),
|
||||
relativeAge: autoUpdatingRelativeAge(new Date(data.publish_at * 1000)),
|
||||
siteSettingRate: I18n.t('logs_error_rate_notice.rate', { count: siteSettingLimit, duration: duration }),
|
||||
rate: I18n.t('logs_error_rate_notice.rate', { count: rate, duration: duration }),
|
||||
url: Discourse.getURL('/logs')
|
||||
|
||||
@ -1,6 +1,6 @@
|
||||
<section class="field">
|
||||
<p>{{i18n 'category.tags_allowed_tags'}}</p>
|
||||
{{tag-chooser placeholderKey="category.tags_placeholder" tags=category.allowed_tags}}
|
||||
{{tag-chooser placeholderKey="category.tags_placeholder" tags=category.allowed_tags everyTag="true" unlimitedTagCount="true"}}
|
||||
|
||||
<p>{{i18n 'category.tags_allowed_tag_groups'}}</p>
|
||||
{{tag-group-chooser placeholderKey="category.tag_groups_placeholder" tagGroups=category.allowed_tag_groups}}
|
||||
|
||||
@ -6,7 +6,11 @@
|
||||
{{/if}}
|
||||
{{#each sortedTags as |tag|}}
|
||||
<div class='tag-box'>
|
||||
{{discourse-tag tag.id}} <span class='tag-count'>x {{tag.count}}</span>
|
||||
{{#if tag.count}}
|
||||
{{discourse-tag tag.id}} <span class='tag-count'>x {{tag.count}}</span>
|
||||
{{else}}
|
||||
{{discourse-tag tag.id}}
|
||||
{{/if}}
|
||||
</div>
|
||||
{{/each}}
|
||||
<div class="clearfix" />
|
||||
|
||||
@ -6,10 +6,15 @@
|
||||
class="full no-text"
|
||||
icon="caret-up"
|
||||
label="topic.progress.go_top"}}
|
||||
<div class='jump-form'>
|
||||
{{input value=toPostIndex}}
|
||||
{{d-button action="jumpPost" label="topic.progress.go"}}
|
||||
</div>
|
||||
{{#unless capabilities.isIOS}}
|
||||
<div class='jump-form'>
|
||||
{{input value=toPostIndex}}
|
||||
{{d-button action="jumpPost" label="topic.progress.go"}}
|
||||
</div>
|
||||
{{else}}
|
||||
{{d-button action="jumpPrompt" class="full jump-prompt" label="topic.progress.jump_prompt"}}
|
||||
{{/unless}}
|
||||
|
||||
{{d-button action="jumpBottom"
|
||||
disabled=jumpBottomDisabled
|
||||
class="full no-text jump-bottom"
|
||||
|
||||
@ -29,8 +29,8 @@
|
||||
<div class='reply-to'>
|
||||
{{{model.actionTitle}}}
|
||||
{{#unless site.mobileView}}
|
||||
{{#if model.whisper}}
|
||||
<span class='whisper'>({{i18n "composer.whisper"}})</span>
|
||||
{{#if whisperOrUnlistTopicText}}
|
||||
<span class='whisper'>({{whisperOrUnlistTopicText}})</span>
|
||||
{{/if}}
|
||||
{{/unless}}
|
||||
|
||||
@ -106,8 +106,8 @@
|
||||
<a href {{action "cancel"}} class='cancel' tabindex="6">{{i18n 'cancel'}}</a>
|
||||
|
||||
{{#if site.mobileView}}
|
||||
{{#if model.whisper}}
|
||||
<span class='whisper'><i class='fa fa-eye-slash'></i></span>
|
||||
{{#if whisperOrUnlistTopic}}
|
||||
<span class='whisper'><i class='fa fa-eye-slash'></i></span>
|
||||
{{/if}}
|
||||
{{/if}}
|
||||
</div>
|
||||
|
||||
@ -1,2 +1,3 @@
|
||||
<a href {{action "closeMessage"}} class='close'>{{fa-icon "close"}}</a>
|
||||
{{#if message.title}}<h3>{{message.title}}</h3>{{/if}}
|
||||
<p>{{{message.body}}}</p>
|
||||
|
||||
@ -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}}
|
||||
|
||||
<p class='cancel'><a href {{action "toggleMultiSelect"}}>{{i18n 'topic.multi_select.cancel'}}</a></p>
|
||||
|
||||
@ -23,7 +23,8 @@
|
||||
class='btn dismiss-notifications'
|
||||
action="resetNew"
|
||||
label='user.dismiss_notifications'
|
||||
icon='check'}}
|
||||
icon='check'
|
||||
disabled=allNotificationsRead}}
|
||||
{{/if}}
|
||||
</section>
|
||||
|
||||
|
||||
@ -130,12 +130,14 @@
|
||||
</div>
|
||||
{{/if}}
|
||||
|
||||
{{#if canChangeBio}}
|
||||
<div class="control-group pref-bio">
|
||||
<label class="control-label">{{i18n 'user.bio'}}</label>
|
||||
<div class="controls bio-composer">
|
||||
{{d-editor value=model.bio_raw}}
|
||||
</div>
|
||||
</div>
|
||||
{{/if}}
|
||||
|
||||
{{#each userFields as |uf|}}
|
||||
{{user-field field=uf.field value=uf.value}}
|
||||
|
||||
@ -1,5 +1,3 @@
|
||||
import ScrollTop from 'discourse/mixins/scroll-top';
|
||||
|
||||
export default Ember.View.extend(ScrollTop, {
|
||||
templateName: 'user/user',
|
||||
});
|
||||
export default Ember.View.extend(ScrollTop);
|
||||
|
||||
@ -1,5 +1,6 @@
|
||||
import { createWidget } from 'discourse/widgets/widget';
|
||||
import { h } from 'virtual-dom';
|
||||
import { number } from 'discourse/lib/formatter';
|
||||
|
||||
createWidget('hamburger-category', {
|
||||
tagName: 'li.category-link',
|
||||
@ -9,7 +10,9 @@ createWidget('hamburger-category', {
|
||||
|
||||
const unreadTotal = parseInt(c.get('unreadTopics'), 10) + parseInt(c.get('newTopics'), 10);
|
||||
if (unreadTotal) {
|
||||
results.push(h('a.badge.badge-notification', { attributes: { href: c.get('url') } }, unreadTotal.toString()));
|
||||
results.push(h('a.badge.badge-notification', {
|
||||
attributes: { href: c.get('url') }
|
||||
}, number(unreadTotal)));
|
||||
}
|
||||
|
||||
if (!this.currentUser) {
|
||||
|
||||
@ -114,6 +114,7 @@ whiteListFeature('default', [
|
||||
'aside.quote',
|
||||
'aside[data-*]',
|
||||
'b',
|
||||
'big',
|
||||
'blockquote',
|
||||
'br',
|
||||
'code',
|
||||
|
||||
@ -9,7 +9,7 @@
|
||||
display: inline-block;
|
||||
font-weight: normal;
|
||||
white-space: nowrap;
|
||||
@include border-radius-all(10px);
|
||||
@include border-radius-all(9px);
|
||||
}
|
||||
|
||||
// Category badges
|
||||
@ -234,13 +234,16 @@
|
||||
|
||||
.badge-notification {
|
||||
@extend %badge;
|
||||
padding: 4px 5px 2px 5px;
|
||||
vertical-align: middle;
|
||||
color: $secondary;
|
||||
font-size: 11px;
|
||||
line-height: 1;
|
||||
line-height: 18px;
|
||||
min-width: 12px;
|
||||
height: 18px;
|
||||
padding: 0px 3px;
|
||||
text-align: center;
|
||||
background-color: dark-light-choose(scale-color($primary, $lightness: 70%), scale-color($secondary, $lightness: 70%));
|
||||
|
||||
&[href] {
|
||||
color: $secondary;
|
||||
}
|
||||
|
||||
@ -69,14 +69,19 @@ body {
|
||||
}
|
||||
}
|
||||
|
||||
$grippie-border-color: dark-light-choose(scale-color($primary, $lightness: 70%), scale-color($secondary, $lightness: 50%));
|
||||
|
||||
.grippie {
|
||||
width: 100%;
|
||||
cursor: row-resize;
|
||||
height: 11px;
|
||||
overflow: hidden;
|
||||
display:block;
|
||||
border-top: 1px solid dark-light-diff($primary, $secondary, 90%, -60%);
|
||||
background: image-url("grippie.png") dark-light-diff($primary, $secondary, 90%, -60%) no-repeat center 3px;
|
||||
padding: 4px 0px;
|
||||
}
|
||||
|
||||
.grippie:before {
|
||||
content: '';
|
||||
display: block;
|
||||
width: 27px;
|
||||
margin: auto;
|
||||
border-top: 3px double $grippie-border-color;
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
@ -30,6 +30,8 @@
|
||||
&.timeline-docked-bottom {
|
||||
.timeline-footer-controls {
|
||||
opacity: 0;
|
||||
pointer-events: none;
|
||||
cursor: default;
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
@ -133,6 +133,10 @@
|
||||
width: 55px;
|
||||
}
|
||||
}
|
||||
button.btn.jump-prompt {
|
||||
margin: 0;
|
||||
}
|
||||
|
||||
button.btn.jump-bottom {
|
||||
margin: 5px 0 0 0;
|
||||
}
|
||||
|
||||
@ -18,6 +18,7 @@
|
||||
}
|
||||
.description, .hint {
|
||||
color: dark-light-choose(scale-color($primary, $lightness: 50%), scale-color($secondary, $lightness: 50%));
|
||||
display: block;
|
||||
}
|
||||
.hint {
|
||||
font-style: italic;
|
||||
|
||||
@ -375,6 +375,8 @@ span.post-count {
|
||||
// this prevents image overflow on deeply nested blockquotes, lists, etc
|
||||
.cooked {
|
||||
overflow: hidden;
|
||||
font-size: $base-font-size + 1; /* let's bump post body font size on mobile slightly */
|
||||
line-height: $base-line-height + 2; /* bump up line height to match increased font */
|
||||
}
|
||||
|
||||
.moderator .topic-body {
|
||||
|
||||
@ -93,6 +93,9 @@
|
||||
width: 55px;
|
||||
}
|
||||
}
|
||||
button.btn.jump-prompt {
|
||||
margin: 0;
|
||||
}
|
||||
button.btn.jump-bottom {
|
||||
margin-top: 5px;
|
||||
margin-bottom: 0;
|
||||
|
||||
@ -1,6 +1,7 @@
|
||||
require_dependency 'new_post_manager'
|
||||
require_dependency 'post_creator'
|
||||
require_dependency 'post_destroyer'
|
||||
require_dependency 'post_merger'
|
||||
require_dependency 'distributed_memoizer'
|
||||
require_dependency 'new_post_result_serializer'
|
||||
|
||||
@ -113,7 +114,7 @@ class PostsController < ApplicationController
|
||||
end
|
||||
|
||||
def raw_email
|
||||
post = Post.find(params[:id].to_i)
|
||||
post = Post.unscoped.find(params[:id].to_i)
|
||||
guardian.ensure_can_view_raw_email!(post)
|
||||
render json: { raw_email: post.raw_email }
|
||||
end
|
||||
@ -273,6 +274,14 @@ class PostsController < ApplicationController
|
||||
render nothing: true
|
||||
end
|
||||
|
||||
def merge_posts
|
||||
params.require(:post_ids)
|
||||
posts = Post.where(id: params[:post_ids]).order(:id)
|
||||
raise Discourse::InvalidParameters.new(:post_ids) if posts.pluck(:id) == params[:post_ids]
|
||||
PostMerger.new(current_user, posts).merge
|
||||
render nothing: true
|
||||
end
|
||||
|
||||
# Direct replies to this post
|
||||
def replies
|
||||
post = find_post_from_params
|
||||
@ -545,10 +554,12 @@ class PostsController < ApplicationController
|
||||
:auto_track,
|
||||
:typing_duration_msecs,
|
||||
:composer_open_duration_msecs,
|
||||
:visible
|
||||
]
|
||||
|
||||
# param munging for WordPress
|
||||
params[:auto_track] = !(params[:auto_track].to_s == "false") if params[:auto_track]
|
||||
params[:visible] = (params[:unlist_topic].to_s == "false") if params[:unlist_topic]
|
||||
|
||||
if api_key_valid?
|
||||
# php seems to be sending this incorrectly, don't fight with it
|
||||
|
||||
@ -15,11 +15,18 @@ class TagsController < ::ApplicationController
|
||||
categories = Category.where("id in (select category_id from category_tags)")
|
||||
.where("id in (?)", guardian.allowed_category_ids)
|
||||
.preload(:tags)
|
||||
category_tag_counts = categories.map { |c| {id: c.id, tags: self.class.tag_counts_json(Tag.category_tags_by_count_query(c, limit: 300).count)} }
|
||||
category_tag_counts = categories.map do |c|
|
||||
h = Tag.category_tags_by_count_query(c, limit: 300).count
|
||||
h.merge!(c.tags.where.not(name: h.keys).inject({}) { |sum,t| sum[t.name] = 0; sum }) # unused tags
|
||||
{id: c.id, tags: self.class.tag_counts_json(h)}
|
||||
end
|
||||
|
||||
tag_counts = self.class.tags_by_count(guardian, limit: 300).count
|
||||
@tags = self.class.tag_counts_json(tag_counts)
|
||||
|
||||
@description_meta = I18n.t("tags.title")
|
||||
@title = @description_meta
|
||||
|
||||
respond_to do |format|
|
||||
format.html do
|
||||
render :index
|
||||
@ -46,7 +53,12 @@ class TagsController < ::ApplicationController
|
||||
results = query.send("#{filter}_results")
|
||||
|
||||
if @filter_on_category
|
||||
category_ids = [@filter_on_category.id] + @filter_on_category.subcategories.pluck(:id)
|
||||
category_ids = [@filter_on_category.id]
|
||||
|
||||
unless list_opts[:no_subcategories]
|
||||
category_ids += @filter_on_category.subcategories.pluck(:id)
|
||||
end
|
||||
|
||||
results = results.where(category_id: category_ids)
|
||||
end
|
||||
|
||||
@ -59,6 +71,8 @@ class TagsController < ::ApplicationController
|
||||
@list.more_topics_url = construct_url_with(:next, list_opts)
|
||||
@list.prev_topics_url = construct_url_with(:prev, list_opts)
|
||||
@rss = "tag"
|
||||
@description_meta = I18n.t("rss_by_tag", tag: @tag_id)
|
||||
@title = @description_meta
|
||||
|
||||
canonical_url "#{Discourse.base_url_no_prefix}#{public_send(url_method(params.slice(:category, :parent_category)))}"
|
||||
|
||||
@ -142,7 +156,15 @@ class TagsController < ::ApplicationController
|
||||
tags << { id: t.name, text: t.name, count: 0 }
|
||||
end
|
||||
|
||||
render json: { results: tags }
|
||||
json_response = { results: tags }
|
||||
|
||||
t = DiscourseTagging.clean_tag(params[:q])
|
||||
if Tag.where(name: t).exists? && !tags.find { |h| h[:id] == t }
|
||||
# filter_allowed_tags determined that the tag entered is not allowed
|
||||
json_response[:forbidden] = t
|
||||
end
|
||||
|
||||
render json: json_response
|
||||
end
|
||||
|
||||
def notifications
|
||||
@ -163,8 +185,8 @@ class TagsController < ::ApplicationController
|
||||
def check_hashtag
|
||||
tag_values = params[:tag_values].each(&:downcase!)
|
||||
|
||||
valid_tags = TopicCustomField.where(name: DiscourseTagging::TAGS_FIELD_NAME, value: tag_values).map do |tag|
|
||||
{ value: tag.value, url: "#{Discourse.base_url}/tags/#{tag.value}" }
|
||||
valid_tags = Tag.where(name: tag_values).map do |tag|
|
||||
{ value: tag.name, url: tag.full_url }
|
||||
end.compact
|
||||
|
||||
render json: { valid: valid_tags }
|
||||
@ -188,15 +210,21 @@ class TagsController < ::ApplicationController
|
||||
slug_or_id = params[:category]
|
||||
return true if slug_or_id.nil?
|
||||
|
||||
parent_slug_or_id = params[:parent_category]
|
||||
if slug_or_id == 'none' && params[:parent_category]
|
||||
@filter_on_category = Category.query_category(params[:parent_category], nil)
|
||||
params[:no_subcategories] = 'true'
|
||||
else
|
||||
parent_slug_or_id = params[:parent_category]
|
||||
|
||||
parent_category_id = nil
|
||||
if parent_slug_or_id.present?
|
||||
parent_category_id = Category.query_parent_category(parent_slug_or_id)
|
||||
redirect_or_not_found and return if parent_category_id.blank?
|
||||
parent_category_id = nil
|
||||
if parent_slug_or_id.present?
|
||||
parent_category_id = Category.query_parent_category(parent_slug_or_id)
|
||||
redirect_or_not_found and return if parent_category_id.blank?
|
||||
end
|
||||
|
||||
@filter_on_category = Category.query_category(slug_or_id, parent_category_id)
|
||||
end
|
||||
|
||||
@filter_on_category = Category.query_category(slug_or_id, parent_category_id)
|
||||
redirect_or_not_found and return if !@filter_on_category
|
||||
|
||||
guardian.ensure_can_see!(@filter_on_category)
|
||||
|
||||
@ -72,11 +72,16 @@ class UploadsController < ApplicationController
|
||||
|
||||
# convert pasted images to HQ jpegs
|
||||
if filename == "blob.png" && SiteSetting.convert_pasted_images_to_hq_jpg
|
||||
filename = "blob.jpg"
|
||||
jpeg_path = "#{File.dirname(tempfile.path)}/#{filename}"
|
||||
content_type = "image/jpeg"
|
||||
`convert #{tempfile.path} -quality 95 #{jpeg_path}`
|
||||
tempfile = File.open(jpeg_path)
|
||||
jpeg_path = "#{File.dirname(tempfile.path)}/blob.jpg"
|
||||
`convert #{tempfile.path} -quality #{SiteSetting.convert_pasted_images_quality} #{jpeg_path}`
|
||||
# only change the format of the image when JPG is at least 5% smaller
|
||||
if File.size(jpeg_path) < File.size(tempfile.path) * 0.95
|
||||
filename = "blob.jpg"
|
||||
content_type = "image/jpeg"
|
||||
tempfile = File.open(jpeg_path)
|
||||
else
|
||||
File.delete(jpeg_path) rescue nil
|
||||
end
|
||||
end
|
||||
|
||||
# allow users to upload large images that will be automatically reduced to allowed size
|
||||
|
||||
@ -15,9 +15,11 @@ module ApplicationHelper
|
||||
include ConfigurableUrls
|
||||
include GlobalPath
|
||||
|
||||
def google_universal_analytics_json(ua_domain_name)
|
||||
cookie_domain = ua_domain_name.gsub(/^http(s)?:\/\//, '')
|
||||
result = {cookieDomain: cookie_domain}
|
||||
def google_universal_analytics_json(ua_domain_name=nil)
|
||||
result = {}
|
||||
if ua_domain_name
|
||||
result[:cookieDomain] = ua_domain_name.gsub(/^http(s)?:\/\//, '')
|
||||
end
|
||||
if current_user.present?
|
||||
result[:userId] = current_user.id
|
||||
end
|
||||
@ -29,7 +31,7 @@ module ApplicationHelper
|
||||
end
|
||||
|
||||
def google_tag_manager_json
|
||||
google_universal_analytics_json(SiteSetting.gtm_ua_domain_name)
|
||||
google_universal_analytics_json
|
||||
end
|
||||
|
||||
def shared_session_key
|
||||
|
||||
@ -5,31 +5,29 @@ module Jobs
|
||||
def execute(args)
|
||||
return unless SiteSetting.clean_up_uploads?
|
||||
|
||||
ignore_urls = []
|
||||
ignore_urls |= UserProfile.uniq.select(:profile_background).where("profile_background IS NOT NULL AND profile_background != ''").pluck(:profile_background)
|
||||
ignore_urls |= UserProfile.uniq.select(:card_background).where("card_background IS NOT NULL AND card_background != ''").pluck(:card_background)
|
||||
ignore_urls |= Category.uniq.select(:logo_url).where("logo_url IS NOT NULL AND logo_url != ''").pluck(:logo_url)
|
||||
ignore_urls |= Category.uniq.select(:background_url).where("background_url IS NOT NULL AND background_url != ''").pluck(:background_url)
|
||||
ignore_urls = []
|
||||
ignore_urls |= UserProfile.uniq.where("profile_background IS NOT NULL AND profile_background != ''").pluck(:profile_background)
|
||||
ignore_urls |= UserProfile.uniq.where("card_background IS NOT NULL AND card_background != ''").pluck(:card_background)
|
||||
ignore_urls |= Category.uniq.where("logo_url IS NOT NULL AND logo_url != ''").pluck(:logo_url)
|
||||
ignore_urls |= Category.uniq.where("background_url IS NOT NULL AND background_url != ''").pluck(:background_url)
|
||||
|
||||
ids = []
|
||||
ids |= PostUpload.uniq.select(:upload_id).pluck(:upload_id)
|
||||
ids |= User.uniq.select(:uploaded_avatar_id).where("uploaded_avatar_id IS NOT NULL").pluck(:uploaded_avatar_id)
|
||||
ids |= UserAvatar.uniq.select(:gravatar_upload_id).where("gravatar_upload_id IS NOT NULL").pluck(:gravatar_upload_id)
|
||||
ids = []
|
||||
ids |= PostUpload.uniq.pluck(:upload_id)
|
||||
ids |= User.uniq.where("uploaded_avatar_id IS NOT NULL").pluck(:uploaded_avatar_id)
|
||||
ids |= UserAvatar.uniq.where("gravatar_upload_id IS NOT NULL").pluck(:gravatar_upload_id)
|
||||
|
||||
grace_period = [SiteSetting.clean_orphan_uploads_grace_period_hours, 1].max
|
||||
|
||||
result = Upload.where("created_at < ?", grace_period.hour.ago)
|
||||
.where("retain_hours IS NULL OR created_at < current_timestamp - interval '1 hour' * retain_hours")
|
||||
result = Upload.where("retain_hours IS NULL OR created_at < current_timestamp - interval '1 hour' * retain_hours")
|
||||
result = result.where("created_at < ?", grace_period.hour.ago)
|
||||
result = result.where("id NOT IN (?)", ids) if !ids.empty?
|
||||
result = result.where("url NOT IN (?)", ignore_urls) if !ignore_urls.empty?
|
||||
|
||||
if !ids.empty?
|
||||
result = result.where("id NOT IN (?)", ids)
|
||||
result.find_each do |upload|
|
||||
next if QueuedPost.where("raw LIKE '%#{upload.sha1}%'").exists?
|
||||
next if Draft.where("data LIKE '%#{upload.sha1}%'").exists?
|
||||
upload.destroy
|
||||
end
|
||||
|
||||
if !ignore_urls.empty?
|
||||
result = result.where("url NOT IN (?)", ignore_urls)
|
||||
end
|
||||
|
||||
result.find_each { |upload| upload.destroy }
|
||||
end
|
||||
end
|
||||
end
|
||||
|
||||
@ -13,7 +13,7 @@ module Jobs
|
||||
|
||||
PostCreator.create(
|
||||
Discourse.system_user,
|
||||
target_group_names: ["staff"],
|
||||
target_group_names: Group[:staff].name,
|
||||
archetype: Archetype.private_message,
|
||||
subtype: TopicSubtype.system_message,
|
||||
title: I18n.t('flags_reminder.subject_template', { count: PostAction.flagged_posts_count }),
|
||||
|
||||
@ -83,9 +83,14 @@ class UserNotifications < ActionMailer::Base
|
||||
return unless @posts_by_topic.present?
|
||||
|
||||
build_summary_for(user)
|
||||
apply_notification_styles build_email @user.email,
|
||||
opts = {
|
||||
from_alias: I18n.t('user_notifications.mailing_list.from', site_name: SiteSetting.title),
|
||||
subject: I18n.t('user_notifications.mailing_list.subject_template', site_name: @site_name, date: @date)
|
||||
subject: I18n.t('user_notifications.mailing_list.subject_template', site_name: @site_name, date: @date),
|
||||
mailing_list_mode: true,
|
||||
add_unsubscribe_link: true,
|
||||
unsubscribe_url: "#{Discourse.base_url}/email/unsubscribe/#{@unsubscribe_key}",
|
||||
}
|
||||
apply_notification_styles(build_email(@user.email, opts))
|
||||
end
|
||||
|
||||
def digest(user, opts={})
|
||||
@ -236,7 +241,6 @@ class UserNotifications < ActionMailer::Base
|
||||
end
|
||||
|
||||
def self.get_context_posts(post, topic_user, user)
|
||||
|
||||
if user.user_option.email_previous_replies == UserOption.previous_replies_type[:never]
|
||||
return []
|
||||
end
|
||||
@ -376,7 +380,6 @@ class UserNotifications < ActionMailer::Base
|
||||
template << "_staged" if user.staged?
|
||||
end
|
||||
|
||||
|
||||
email_opts = {
|
||||
topic_title: title,
|
||||
message: message,
|
||||
|
||||
@ -64,8 +64,8 @@ class Category < ActiveRecord::Base
|
||||
has_many :category_tag_groups, dependent: :destroy
|
||||
has_many :tag_groups, through: :category_tag_groups
|
||||
|
||||
after_save :clear_topic_ids_cache
|
||||
after_destroy :clear_topic_ids_cache
|
||||
after_save :reset_topic_ids_cache
|
||||
after_destroy :reset_topic_ids_cache
|
||||
|
||||
scope :latest, -> { order('topic_count DESC') }
|
||||
|
||||
@ -89,16 +89,18 @@ class Category < ActiveRecord::Base
|
||||
# we may consider wrapping this in another spot
|
||||
attr_accessor :displayable_topics, :permission, :subcategory_ids, :notification_level, :has_children
|
||||
|
||||
@topic_id_cache = DistributedCache.new('category_topic_ids')
|
||||
|
||||
def self.topic_ids
|
||||
@topic_ids ||= Set.new(Category.pluck(:topic_id).compact)
|
||||
@topic_id_cache['ids'] || reset_topic_ids_cache
|
||||
end
|
||||
|
||||
def self.clear_topic_ids_cache
|
||||
@topic_ids = nil
|
||||
def self.reset_topic_ids_cache
|
||||
@topic_id_cache['ids'] = Set.new(Category.pluck(:topic_id).compact)
|
||||
end
|
||||
|
||||
def clear_topic_ids_cache
|
||||
Category.clear_topic_ids_cache
|
||||
def reset_topic_ids_cache
|
||||
Category.reset_topic_ids_cache
|
||||
end
|
||||
|
||||
def self.last_updated_at
|
||||
|
||||
@ -49,7 +49,7 @@ class CategoryUser < ActiveRecord::Base
|
||||
def self.set_notification_level_for_category(user, level, category_id)
|
||||
record = CategoryUser.where(user: user, category_id: category_id).first
|
||||
|
||||
return if record && record.notification_level = level
|
||||
return if record && record.notification_level == level
|
||||
|
||||
if record.present?
|
||||
record.notification_level = level
|
||||
|
||||
22
app/models/developer.rb
Normal file
22
app/models/developer.rb
Normal file
@ -0,0 +1,22 @@
|
||||
require_dependency 'distributed_cache'
|
||||
|
||||
class Developer < ActiveRecord::Base
|
||||
belongs_to :user
|
||||
|
||||
after_save :rebuild_cache
|
||||
after_destroy :rebuild_cache
|
||||
|
||||
@id_cache = DistributedCache.new('developer_ids')
|
||||
|
||||
def self.user_ids
|
||||
@id_cache["ids"] || rebuild_cache
|
||||
end
|
||||
|
||||
def self.rebuild_cache
|
||||
@id_cache["ids"] = Set.new(Developer.pluck(:user_id))
|
||||
end
|
||||
|
||||
def rebuild_cache
|
||||
Developer.rebuild_cache
|
||||
end
|
||||
end
|
||||
@ -82,6 +82,11 @@ class DiscourseSingleSignOn < SingleSignOn
|
||||
# optionally save the user and sso_record if they have changed
|
||||
user.save!
|
||||
|
||||
if bio && (user.user_profile.bio_raw.blank? || SiteSetting.sso_overrides_bio)
|
||||
user.user_profile.bio_raw = bio
|
||||
user.user_profile.save!
|
||||
end
|
||||
|
||||
unless admin.nil? && moderator.nil?
|
||||
Group.refresh_automatic_groups!(:admins, :moderators, :staff)
|
||||
end
|
||||
|
||||
@ -1,5 +1,5 @@
|
||||
class DiscourseVersionCheck
|
||||
include ActiveModel::Model
|
||||
|
||||
attr_accessor :latest_version, :critical_updates, :installed_version, :installed_sha, :installed_describe, :missing_versions_count, :updated_at, :version_check_pending
|
||||
attr_accessor :latest_version, :critical_updates, :installed_version, :installed_sha, :installed_describe, :missing_versions_count, :git_branch, :updated_at, :version_check_pending
|
||||
end
|
||||
|
||||
@ -118,11 +118,11 @@ class OptimizedImage < ActiveRecord::Base
|
||||
def self.resize_instructions_animated(from, to, dimensions, opts={})
|
||||
%W{
|
||||
gifsicle
|
||||
#{from}
|
||||
--colors=256
|
||||
--resize-fit #{dimensions}
|
||||
--optimize=3
|
||||
--output #{to}
|
||||
#{from}
|
||||
}
|
||||
end
|
||||
|
||||
@ -142,7 +142,14 @@ class OptimizedImage < ActiveRecord::Base
|
||||
end
|
||||
|
||||
def self.crop_instructions_animated(from, to, dimensions, opts={})
|
||||
resize_instructions_animated(from, to, dimensions, opts)
|
||||
%W{
|
||||
gifsicle
|
||||
--crop 0,0+#{dimensions}
|
||||
--colors=256
|
||||
--optimize=3
|
||||
--output #{to}
|
||||
#{from}
|
||||
}
|
||||
end
|
||||
|
||||
def self.downsize_instructions(from, to, dimensions, opts={})
|
||||
|
||||
@ -227,7 +227,7 @@ SQL
|
||||
|
||||
if [:notify_moderators, :spam].include?(post_action_type)
|
||||
opts[:subtype] = TopicSubtype.notify_moderators
|
||||
opts[:target_group_names] = "moderators"
|
||||
opts[:target_group_names] = target_moderators
|
||||
else
|
||||
opts[:subtype] = TopicSubtype.notify_user
|
||||
opts[:target_usernames] = if post_action_type == :notify_user
|
||||
|
||||
@ -78,7 +78,7 @@ class PostMover
|
||||
end
|
||||
|
||||
PostReply.where("reply_id in (:post_ids) OR post_id in (:post_ids)", post_ids: post_ids).each do |post_reply|
|
||||
if post_reply.reply.topic_id != post_reply.post.topic_id
|
||||
if post_reply.post && post_reply.reply && post_reply.reply.topic_id != post_reply.post.topic_id
|
||||
PostReply.delete_all(reply_id: post_reply.reply.id, post_id: post_reply.post.id)
|
||||
end
|
||||
end
|
||||
|
||||
@ -109,6 +109,14 @@ class SiteSetting < ActiveRecord::Base
|
||||
def self.email_polling_enabled?
|
||||
SiteSetting.manual_polling_enabled? || SiteSetting.pop3_polling_enabled?
|
||||
end
|
||||
|
||||
def self.attachment_content_type_blacklist_regex
|
||||
@attachment_content_type_blacklist_regex ||= Regexp.union(SiteSetting.attachment_content_type_blacklist.split("|"))
|
||||
end
|
||||
|
||||
def self.attachment_filename_blacklist_regex
|
||||
@attachment_filename_blacklist_regex ||= Regexp.union(SiteSetting.attachment_filename_blacklist.split("|"))
|
||||
end
|
||||
end
|
||||
|
||||
# == Schema Information
|
||||
|
||||
@ -34,6 +34,10 @@ class Tag < ActiveRecord::Base
|
||||
def self.include_tags?
|
||||
SiteSetting.tagging_enabled && SiteSetting.show_filter_by_tag
|
||||
end
|
||||
|
||||
def full_url
|
||||
"#{Discourse.base_url}/tags/#{self.name}"
|
||||
end
|
||||
end
|
||||
|
||||
# == Schema Information
|
||||
|
||||
@ -980,7 +980,7 @@ class User < ActiveRecord::Base
|
||||
.joins('INNER JOIN user_stats AS us ON us.user_id = users.id')
|
||||
.where("created_at < ?", SiteSetting.purge_unactivated_users_grace_period_days.days.ago)
|
||||
.where('NOT admin AND NOT moderator')
|
||||
.limit(100)
|
||||
.limit(200)
|
||||
|
||||
destroyer = UserDestroyer.new(Discourse.system_user)
|
||||
to_destroy.each do |u|
|
||||
|
||||
@ -40,4 +40,14 @@ class BasicCategorySerializer < ApplicationSerializer
|
||||
def notification_level
|
||||
object.notification_level
|
||||
end
|
||||
|
||||
def logo_url
|
||||
url = object.logo_url
|
||||
url.present? && UrlHelper.is_local(url) ? UrlHelper.schemaless(UrlHelper.absolute(url)) : url
|
||||
end
|
||||
|
||||
def background_url
|
||||
url = object.background_url
|
||||
url.present? && UrlHelper.is_local(url) ? UrlHelper.schemaless(UrlHelper.absolute(url)) : url
|
||||
end
|
||||
end
|
||||
|
||||
@ -101,7 +101,8 @@ class UserSerializer < BasicUserSerializer
|
||||
:card_image_badge,
|
||||
:card_image_badge_id,
|
||||
:muted_usernames,
|
||||
:mailing_list_posts_per_day
|
||||
:mailing_list_posts_per_day,
|
||||
:can_change_bio
|
||||
|
||||
untrusted_attributes :bio_raw,
|
||||
:bio_cooked,
|
||||
@ -132,6 +133,10 @@ class UserSerializer < BasicUserSerializer
|
||||
object.id && object.id == scope.user.try(:id)
|
||||
end
|
||||
|
||||
def can_change_bio
|
||||
!(SiteSetting.enable_sso && SiteSetting.sso_overrides_bio)
|
||||
end
|
||||
|
||||
def card_badge
|
||||
object.user_profile.card_image_badge
|
||||
end
|
||||
|
||||
@ -45,7 +45,9 @@ class UserUpdater
|
||||
user_profile.location = attributes.fetch(:location) { user_profile.location }
|
||||
user_profile.dismissed_banner_key = attributes[:dismissed_banner_key] if attributes[:dismissed_banner_key].present?
|
||||
user_profile.website = format_url(attributes.fetch(:website) { user_profile.website })
|
||||
user_profile.bio_raw = attributes.fetch(:bio_raw) { user_profile.bio_raw }
|
||||
unless SiteSetting.enable_sso && SiteSetting.sso_overrides_bio
|
||||
user_profile.bio_raw = attributes.fetch(:bio_raw) { user_profile.bio_raw }
|
||||
end
|
||||
user_profile.profile_background = attributes.fetch(:profile_background) { user_profile.profile_background }
|
||||
user_profile.card_background = attributes.fetch(:card_background) { user_profile.card_background }
|
||||
|
||||
|
||||
@ -5,6 +5,4 @@
|
||||
})(window,document,'script','//www.google-analytics.com/analytics.js','ga');
|
||||
|
||||
ga('create', '<%= SiteSetting.ga_universal_tracking_code %>', <%= ga_universal_json %>);
|
||||
ga('send', 'pageview');
|
||||
|
||||
</script>
|
||||
|
||||
@ -74,7 +74,7 @@ RailsMultisite::ConnectionManagement.each_connection do
|
||||
|
||||
if (error_rate_per_minute || 0) > 0
|
||||
store.register_rate_limit_per_minute(severities, error_rate_per_minute) do |rate|
|
||||
MessageBus.publish("/logs_error_rate_exceeded", { rate: rate, duration: 'minute' })
|
||||
MessageBus.publish("/logs_error_rate_exceeded", { rate: rate, duration: 'minute', publish_at: Time.current.to_i })
|
||||
end
|
||||
end
|
||||
|
||||
@ -82,7 +82,7 @@ RailsMultisite::ConnectionManagement.each_connection do
|
||||
|
||||
if (error_rate_per_hour || 0) > 0
|
||||
store.register_rate_limit_per_hour(severities, error_rate_per_hour) do |rate|
|
||||
MessageBus.publish("/logs_error_rate_exceeded", { rate: rate, duration: 'hour' })
|
||||
MessageBus.publish("/logs_error_rate_exceeded", { rate: rate, duration: 'hour', publish_at: Time.current.to_i })
|
||||
end
|
||||
end
|
||||
end
|
||||
|
||||
@ -22,10 +22,10 @@ ar:
|
||||
few: بايت
|
||||
many: بايت
|
||||
other: بايت
|
||||
gb: جيجا بايت
|
||||
kb: كيلو بايت
|
||||
mb: ميجا بايت
|
||||
tb: تيرا بايت
|
||||
gb: غ.بايت
|
||||
kb: ك.بايت
|
||||
mb: م.بايت
|
||||
tb: ت.بايت
|
||||
short:
|
||||
thousands: "{{number}} ألف"
|
||||
millions: "{{number}} مليون"
|
||||
@ -35,14 +35,15 @@ ar:
|
||||
long_no_year: "D MMM h:mm a"
|
||||
long_no_year_no_time: "D MMM"
|
||||
full_no_year_no_time: "Do MMMM"
|
||||
long_with_year: "D MMM، YYYY h:mm a"
|
||||
long_with_year_no_time: "D MMM، YYYY"
|
||||
full_with_year_no_time: "D MMM، YYYY"
|
||||
long_date_with_year: "D MMM، YYYY LT"
|
||||
long_with_year: "D MMM YYYY h:mm a"
|
||||
long_with_year_no_time: "D MMM YYYY"
|
||||
full_with_year_no_time: "D MMM YYYY"
|
||||
long_date_with_year: "D MMM YYYY، LT"
|
||||
long_date_without_year: "D MMM، LT"
|
||||
long_date_with_year_without_time: "D MMM، YYYY"
|
||||
long_date_with_year_without_time: "D MMM YYYY"
|
||||
long_date_without_year_with_linebreak: "D MMM<br/>LT"
|
||||
long_date_with_year_with_linebreak: "D MMM، YYYY <br/>LT"
|
||||
long_date_with_year_with_linebreak: "D MMM YYYY <br/>LT"
|
||||
wrap_ago: "منذ %{date}"
|
||||
tiny:
|
||||
half_a_minute: "< 1دق"
|
||||
less_than_x_seconds:
|
||||
@ -188,10 +189,13 @@ ar:
|
||||
google+: 'شارك هذا الرابط في جوجل+'
|
||||
email: 'شارك هذا الرابط في بريد إلكتروني'
|
||||
action_codes:
|
||||
private_topic: "جعل هذا الموضوع خاص منذ {when}%"
|
||||
public_topic: "جعل هذا الموضوع عامًّا في %{when}"
|
||||
private_topic: "جعل هذا الموضوع خاصًّا في %{when}"
|
||||
split_topic: "قسم هذا الموضوع في %{when}"
|
||||
invited_user: "دعوة %{who} %{when}"
|
||||
removed_user: "ازالة %{who} %{when}"
|
||||
invited_user: "دعى %{who} في %{when}"
|
||||
invited_group: "دعى %{who} في %{when}"
|
||||
removed_user: "أزال %{who} في %{when}"
|
||||
removed_group: "أزال %{who} في %{when}"
|
||||
autoclosed:
|
||||
enabled: 'أُغلق في %{when}'
|
||||
disabled: 'فُتح في %{when}'
|
||||
@ -208,61 +212,63 @@ ar:
|
||||
enabled: 'ثبّته عموميا في %{when}'
|
||||
disabled: 'أزال تثبيته في %{when}'
|
||||
visible:
|
||||
enabled: 'مدرج %{when}'
|
||||
disabled: 'غير مدرج %{when}'
|
||||
enabled: 'أدرجه في %{when}'
|
||||
disabled: 'أزال إدراجه في %{when}'
|
||||
topic_admin_menu: "عمليات المدير"
|
||||
emails_are_disabled: "جميع الرسائل الإلكترونية المرسلة عطلها المدير , لن يتم إرسال إشعار من أي نوع لبريدك الإلكتروني ."
|
||||
emails_are_disabled: "لقد عطّل أحد المدراء الرّسائل الصادرة للجميع. لن تُرسل إشعارات عبر البريد الإلكتروني أيا كان نوعها."
|
||||
s3:
|
||||
regions:
|
||||
us_east_1: "الولايات المتحدة الشرقيه ( ولايه فيرجينيا )"
|
||||
us_west_1: "الولايات المتحدة الغربية ( كاليفورنيا )"
|
||||
us_west_2: "الولايات المتحدة الغربية ( ولاية أوريغون )"
|
||||
us_east_1: "شرق الولايات المتحدة (فرجينيا الشمالية)"
|
||||
us_west_1: "غرب الولايات المتحدة (كاليفورنيا الشمالية)"
|
||||
us_west_2: "غرب الولايات المتحدة (أوريغون)"
|
||||
us_gov_west_1: "إستضافة أمازون الحسابية الحكومية (الولايات المتحدة الأمريكية)"
|
||||
eu_west_1: "الاتحاد الأوروبي ( أيرلندا )"
|
||||
eu_central_1: "الاتحاد الأوروبي ( فرانكفورت )"
|
||||
ap_southeast_1: "آسيا والمحيط الهادئ ( سنغافورة )"
|
||||
ap_southeast_2: "آسيا والمحيط الهادئ ( سيدني )"
|
||||
ap_northeast_1: "آسيا والمحيط الهادئ ( طوكيو )"
|
||||
ap_northeast_2: "آسيا والمحيط الهادئ ( سيول )"
|
||||
sa_east_1: "أمريكا الجنوبية ( ساو باولو )"
|
||||
eu_west_1: "الاتحاد الأوروبي (أيرلندا)"
|
||||
eu_central_1: "الاتحاد الأوروبي (فرانكفورت)"
|
||||
ap_southeast_1: "آسيا والمحيط الهادئ (سنغافورة)"
|
||||
ap_southeast_2: "آسيا والمحيط الهادئ (سيدني)"
|
||||
ap_south_1: "آسيا والمحيط الهادئ (مومباي)"
|
||||
ap_northeast_1: "آسيا والمحيط الهادئ (طوكيو)"
|
||||
ap_northeast_2: "آسيا والمحيط الهادئ ( سيول)"
|
||||
sa_east_1: "أمريكا الجنوبية (ساو باولو)"
|
||||
cn_north_1: "الصين (بكين)"
|
||||
edit: 'عدّل عنوان هذا الموضوع وفئته'
|
||||
not_implemented: "لم تُنجز هذه الميزة بعد، آسفون!"
|
||||
no_value: "لا"
|
||||
yes_value: "نعم"
|
||||
generic_error: "آسفون، حدث خطأ ما."
|
||||
generic_error_with_reason: "حدث خطأ ما: %{error}"
|
||||
sign_up: "سجّل معنا"
|
||||
sign_up: "سجّل حسابا"
|
||||
log_in: "تسجيل الدخول "
|
||||
age: "العمر"
|
||||
joined: "إنضم"
|
||||
joined: "انضم في"
|
||||
admin_title: "المدير"
|
||||
flags_title: "بلاغات"
|
||||
show_more: "أعرض المزيد"
|
||||
show_more: "أظهر المزيد"
|
||||
show_help: "خيارات"
|
||||
links: "روابط"
|
||||
links_lowercase:
|
||||
zero: "رابط"
|
||||
one: "رابط"
|
||||
two: "رابط"
|
||||
few: "رابط"
|
||||
many: "روابط"
|
||||
other: "روابط"
|
||||
faq: "التعليمات"
|
||||
zero: "الروابط"
|
||||
one: "الروابط"
|
||||
two: "الروابط"
|
||||
few: "الروابط"
|
||||
many: "الروابط"
|
||||
other: "الروابط"
|
||||
faq: "الأسئلة الشائعة"
|
||||
guidelines: "توجيهات "
|
||||
privacy_policy: "سياسة الخصوصية "
|
||||
privacy: "الخصوصية "
|
||||
terms_of_service: "شروط الخدمة"
|
||||
mobile_view: "رؤية هاتفية "
|
||||
desktop_view: "رؤية مكتبية "
|
||||
mobile_view: "نسخة الهواتف"
|
||||
desktop_view: "نسخة سطح المكتب"
|
||||
you: "انت"
|
||||
or: "او"
|
||||
now: "الآن"
|
||||
read_more: 'اقرأ المزيد'
|
||||
more: "المزيد"
|
||||
or: "أو"
|
||||
now: "منذ لحظات"
|
||||
read_more: 'اطلع على المزيد'
|
||||
more: "أكثر"
|
||||
less: "أقل"
|
||||
never: "مطلقا"
|
||||
every_30_minutes: "بعد 30 دقيقه"
|
||||
every_hour: "بعد ساعه"
|
||||
never: "أبدا"
|
||||
every_30_minutes: "كل 30 دقيقة"
|
||||
every_hour: "كل ساعة"
|
||||
daily: "يوميا"
|
||||
weekly: "أسبوعيا"
|
||||
every_two_weeks: "كل أسبوعين"
|
||||
@ -270,17 +276,17 @@ ar:
|
||||
max_of_count: "أقصى عدد هو {{count}}"
|
||||
alternation: "أو"
|
||||
character_count:
|
||||
zero: "0 حرف"
|
||||
one: "حرف واحد"
|
||||
two: "حرفان"
|
||||
few: "{{count}} أحرف"
|
||||
many: "{{count}} حرفًا"
|
||||
other: "{{count}} حرف"
|
||||
zero: "لا محارف"
|
||||
one: "محرف واحد"
|
||||
two: "محرفان"
|
||||
few: "{{count}} محارف"
|
||||
many: "{{count}} محرفا"
|
||||
other: "{{count}} محرف"
|
||||
suggested_topics:
|
||||
title: "مواضيع مقترحة"
|
||||
pm_title: "رسائلة مقترحة "
|
||||
pm_title: "رسائل مقترحة "
|
||||
about:
|
||||
simple_title: "نبذة"
|
||||
simple_title: "عنّا"
|
||||
title: "عن %{title}"
|
||||
stats: "إحصائيات الموقع "
|
||||
our_admins: "مدراؤنا"
|
||||
@ -291,7 +297,7 @@ ar:
|
||||
last_30_days: "آخر 30 يوما"
|
||||
like_count: "الإعجابات"
|
||||
topic_count: "المواضيع"
|
||||
post_count: "المنشورات"
|
||||
post_count: "المشاركات"
|
||||
user_count: "المستخدمون الجدد"
|
||||
active_user_count: "المستخدمون النشطون"
|
||||
contact: "اتصل بنا"
|
||||
@ -343,79 +349,81 @@ ar:
|
||||
enable: "فعّل"
|
||||
disable: "عطّل"
|
||||
undo: "تراجع"
|
||||
revert: "عكس"
|
||||
revert: "اعكس"
|
||||
failed: "فشل"
|
||||
switch_to_anon: "وضع التخفي"
|
||||
switch_from_anon: "اخرج من وضع التخفي"
|
||||
switch_to_anon: "ادخل وضع التّخفي"
|
||||
switch_from_anon: "اخرج من وضع التّخفي"
|
||||
banner:
|
||||
close: "تعطيل البانر"
|
||||
edit: "تحرير هذا البانر"
|
||||
close: "تجاهل هذا الإعلان."
|
||||
edit: "حرر هذا الإعلان >>"
|
||||
choose_topic:
|
||||
none_found: "لم يتم العثور على مواضيع ."
|
||||
none_found: "لا مواضيع."
|
||||
title:
|
||||
search: "بحث عن موضوع حسب الاسم، رابط أو رقم التعريف (id) :"
|
||||
search: "ابحث عن موضوع باسمه أو عنوانه أو معرّفه:"
|
||||
placeholder: "اكتب عنوان الموضوع هنا"
|
||||
queue:
|
||||
topic: "الموضوع :"
|
||||
approve: 'الموافقة'
|
||||
reject: 'الرفض'
|
||||
topic: "الموضوع:"
|
||||
approve: 'وافق'
|
||||
reject: 'ارفض'
|
||||
delete_user: 'احذف المستخدم'
|
||||
title: "تحتاج موافقة"
|
||||
none: "لا يوجد مشاركات لمراجعتها ."
|
||||
edit: "تعديل"
|
||||
cancel: "إلغاء"
|
||||
view_pending: "عرض المشاركات المعلقة"
|
||||
none: "لا مشاركات لمراجعتها."
|
||||
edit: "حرر"
|
||||
cancel: "ألغِ"
|
||||
view_pending: "اعرض المشاركات المعلّقة"
|
||||
has_pending_posts:
|
||||
zero: " هذا الموضوع <b>لا توجد به مشاركات</b> بانتظار الموافقة"
|
||||
one: "هذا الموضوع له <b>1</b> مشاركة بانتظار الموافقة"
|
||||
two: "هذا الموضوع له <b>مشاركتان</b> بانتظار الموافقة"
|
||||
few: "هذا الموضوع له <b>قليل</b> من المشاركات بانتظار الموافقة"
|
||||
many: "هذا الموضوع له <b>كثير</b> من المشاركات بانتظار الموافقة"
|
||||
other: "هذا الموضوع له <b>{{count}}</b> مشاركات بانتظار الموافقة"
|
||||
confirm: "حفظ التعديلات"
|
||||
delete_prompt: "هل أنت متأكد أنك تريد حذف <b>%{username}</b>؟ جميع مشاركته سوف تحذف كذلك و سوف يحظر كل من بريده الإلكتروني و عنوان الـ IP."
|
||||
zero: "ليس في هذا الموضوع <b>أيّة</b> مشاركات تحتاج مراجعة"
|
||||
one: "في هذا الموضوع <b>مشاركة واحدة</b> تحتاج مراجعة"
|
||||
two: "في هذا الموضوع <b>مشاركتين</b> تحتاج مراجعة"
|
||||
few: "في هذا الموضوع <b>{{count}}</b> مشاركات تحتاج مراجعة"
|
||||
many: "في هذا الموضوع <b>{{count}}</b> مشاركة تحتاج مراجعة"
|
||||
other: "في هذا الموضوع <b>{{count}}</b> مشاركة تحتاج مراجعة"
|
||||
confirm: "احفظ التعديلات"
|
||||
delete_prompt: "أمتأكد من حذف <b>%{username}</b>؟ ستُحذف كل مشاركاته وسيُمنع بريده الإلكتروني وعنوان IP."
|
||||
approval:
|
||||
title: "المشاركات تحتاج موافقة"
|
||||
description: "لقد استلمنا مشاركتك لكنها تحتاج موافقة المشرف قبل ظهورها. الرجاء الانتظار"
|
||||
title: "المشاركة تحتاج موافقة"
|
||||
description: "لقد وصلتنا مشاركتك لكنها تحتاج موافقة المشرف قبل ظهورها. نرجو منك الصبر."
|
||||
pending_posts:
|
||||
zero: "ﻻ يوجد مشاركات معلقة."
|
||||
one: "لديك مشاركة معلقة."
|
||||
two: "لديك مشاركتين معلقتين."
|
||||
few: "لديك <strong>{{count}}</strong> مشاركات معلقة."
|
||||
many: "لديك <strong>{{count}}</strong> مشاركة معلقة."
|
||||
other: "لديك <strong>{{count}}</strong> مشاركة معلقة."
|
||||
ok: "موافق"
|
||||
zero: "<strong>لا</strong> مشاركات معلّقة."
|
||||
one: "لديك <strong>مشاركة واحدة</strong> معلّقة."
|
||||
two: "لديك <strong>مشاركتين</strong> معلّقتين."
|
||||
few: "لديك <strong>{{count}}</strong> مشاركات معلّقة."
|
||||
many: "لديك <strong>{{count}}</strong> مشاركة معلّقة."
|
||||
other: "لديك <strong>{{count}}</strong> مشاركة معلّقة."
|
||||
ok: "حسنا"
|
||||
user_action:
|
||||
user_posted_topic: "a href='{{userUrl}}'>{{user}}</a> مشاركات<a href='{{topicUrl}}'>هذا الموضوع</a>"
|
||||
you_posted_topic: "<a href='{{userUrl}}'>ك</a> مشاركات<a href='{{topicUrl}}'>هذا الموضوع</a>"
|
||||
user_replied_to_post: "<a href='{{userUrl}}'>{{user}}</a> الرد على<a href='{{postUrl}}'>{{post_number}}</a>"
|
||||
you_replied_to_post: "<a href='{{userUrl}}'>أنت</a> ردودك <a href='{{postUrl}}'>{{post_number}}</a>"
|
||||
user_replied_to_topic: "<a href='{{userUrl}}'>{{user}}</a> ردوا على <a href='{{topicUrl}}'>هذا الموضوع</a>"
|
||||
you_replied_to_topic: "<a href='{{userUrl}}'>أنت</a> ردك على <a href='{{topicUrl}}'>the topic</a>"
|
||||
user_mentioned_user: "<a href='{{user1Url}}'>{{user}}</a> منشن<a href='{{user2Url}}'>{{another_user}}</a>"
|
||||
user_mentioned_you: "<a href='{{user1Url}}'>{{user}}</a> منشنك<a href='{{user2Url}}'>you</a>"
|
||||
you_mentioned_user: "<a href='{{user1Url}}'>You</a> منشن<a href='{{user2Url}}'>{{another_user}}</a>"
|
||||
posted_by_user: "مشاركة <a href='{{userUrl}}'>{{user}}</a>"
|
||||
posted_by_you: "مشاركتك <a href='{{userUrl}}'></a>"
|
||||
sent_by_user: "مرسلة من قبل <a href='{{userUrl}}'>{{user}}</a>"
|
||||
sent_by_you: "مرسلة من قبلك <a href='{{userUrl}}'></a>"
|
||||
user_posted_topic: "نشر <a href='{{userUrl}}'>{{user}}</a> <a href='{{topicUrl}}'>الموضوع</a>"
|
||||
you_posted_topic: "نشرت <a href='{{userUrl}}'>أنت</a> <a href='{{topicUrl}}'>الموضوع</a>"
|
||||
user_replied_to_post: "ردّ <a href='{{userUrl}}'>{{user}}</a> على <a href='{{postUrl}}'>{{post_number}}</a>"
|
||||
you_replied_to_post: "رددت <a href='{{userUrl}}'>أنت</a> على <a href='{{postUrl}}'>{{post_number}}</a>"
|
||||
user_replied_to_topic: "ردّ <a href='{{userUrl}}'>{{user}}</a> على <a href='{{topicUrl}}'>الموضوع</a>"
|
||||
you_replied_to_topic: "رددت <a href='{{userUrl}}'>أنت</a> على <a href='{{topicUrl}}'>الموضوع</a>"
|
||||
user_mentioned_user: "أشار <a href='{{user1Url}}'>{{user}}</a> إلى <a href='{{user2Url}}'>{{another_user}}</a>"
|
||||
user_mentioned_you: "أشار <a href='{{user1Url}}'>{{user}}</a> <a href='{{user2Url}}'>إليك</a>"
|
||||
you_mentioned_user: "أشرت <a href='{{user1Url}}'>أنت</a> إلى <a href='{{user2Url}}'>{{another_user}}</a>"
|
||||
posted_by_user: "شاركها <a href='{{userUrl}}'>{{user}}</a>"
|
||||
posted_by_you: "شاركتها <a href='{{userUrl}}'>انت</a>"
|
||||
sent_by_user: "أرسله <a href='{{userUrl}}'>{{user}}</a>"
|
||||
sent_by_you: "أرسلته <a href='{{userUrl}}'>أنت</a>"
|
||||
directory:
|
||||
filter_name: "التصفية باسم العضو"
|
||||
filter_name: "رشّح باسم المستخدم"
|
||||
title: "الأعضاء"
|
||||
likes_given: "الإعجابات المعطاة"
|
||||
likes_received: "الإعجابات المستلمة"
|
||||
likes_given: "المعطاة"
|
||||
likes_received: "المستلمة"
|
||||
topics_entered: "المعروضة"
|
||||
topics_entered_long: "المواضيع المعروضة"
|
||||
time_read: "وقت القراءة"
|
||||
topic_count: "المواضيع"
|
||||
topic_count_long: "المواضيع المضافة"
|
||||
topic_count_long: "المواضيع المنشأة"
|
||||
post_count: "الردود"
|
||||
post_count_long: "الردود المضافة"
|
||||
no_results: "لم يتم العثور على أي نتيجة."
|
||||
post_count_long: "الردود المنشورة"
|
||||
no_results: "لا نتائج."
|
||||
days_visited: "الزيارات"
|
||||
days_visited_long: "أيام الزيارة"
|
||||
posts_read: "المقروءة"
|
||||
posts_read_long: "المشاركات المقروءة"
|
||||
total_rows:
|
||||
zero: "0 عضو"
|
||||
zero: "لا أعضاء"
|
||||
one: "عضو واحد"
|
||||
two: "عضوان"
|
||||
few: "%{count} أعضاء"
|
||||
@ -423,15 +431,16 @@ ar:
|
||||
other: "%{count} عضو"
|
||||
groups:
|
||||
empty:
|
||||
posts: "لا يوجد أي منشور لأي عضو من هذه المجموعة ."
|
||||
members: "لا يوجد أعضاء في هذه المجموعة ."
|
||||
mentions: "لا يوجد أعضاء في هذه المجموعة ."
|
||||
messages: "لا توجد رسائل لهذه المجموعة."
|
||||
topics: "لا يوجد أي منشور لأي عضو من هذه المجموعة ."
|
||||
add: "اضافة"
|
||||
selector_placeholder: "اضافة عضو"
|
||||
posts: "لا مشاركات من أعضاء هذه المجموعة."
|
||||
members: "لا أعضاء في هذه المجموعة."
|
||||
mentions: "لم يُشر أحد إلى هذه المجموعة."
|
||||
messages: "لا رسائل لهذه المجموعة."
|
||||
topics: "لا مواضيع لأعضاء هذه المجموعة."
|
||||
add: "أضف"
|
||||
selector_placeholder: "أضف أعضاء"
|
||||
owner: "المالك"
|
||||
visible: "المجموعة مرئية عن جميع المستخدمين"
|
||||
visible: "المجموعة مرئية لكل المستخدمين"
|
||||
index: "المجموعات"
|
||||
title:
|
||||
zero: "مجموعات"
|
||||
one: "مجموعات"
|
||||
@ -439,43 +448,39 @@ ar:
|
||||
few: "مجموعات"
|
||||
many: "مجموعات"
|
||||
other: "مجموعات"
|
||||
members: "أعضاء "
|
||||
topics: "ألمواضيع"
|
||||
posts: "مشاركات"
|
||||
mentions: "إشارات"
|
||||
members: "الأعضاء"
|
||||
topics: "المواضيع"
|
||||
posts: "المشاركات"
|
||||
mentions: "الإشارات"
|
||||
messages: "الرسائل"
|
||||
alias_levels:
|
||||
title: "من يستطيع أن يشارك في هذه المجموعة ؟"
|
||||
nobody: "لا أحد"
|
||||
only_admins: "المسؤولون فقط"
|
||||
mods_and_admins: "فقط المدراء والمشرفون"
|
||||
members_mods_and_admins: "فقط اعضاء المجموعة والمشرفون والمدراء"
|
||||
only_admins: "المدراء فقط"
|
||||
mods_and_admins: "المدراء والمشرفون فقط"
|
||||
members_mods_and_admins: "أعضاء المجموعة والمدراء والمشرفون فقط"
|
||||
everyone: "الكل"
|
||||
trust_levels:
|
||||
title: "مستوى الثقة يمنح تلقائيا للأعضاء عندما يضيفون:"
|
||||
title: "مستوى الثقة الذي يُعطى للأعضاء آليا عندما يضافون:"
|
||||
none: "لا شيء"
|
||||
notifications:
|
||||
watching:
|
||||
title: "تحت المتابعة"
|
||||
description: "سيتم إشعارك بأية رد على هذه الرسالة، وبعدد الردود الجديدة التي ستظهر ."
|
||||
description: "سنرسل لك إشعارا عن كل مشاركة لكل رسالة، كما وسترى عددًا من الردود الجديدة."
|
||||
watching_first_post:
|
||||
description: "سنرسل لك إشعارا فقط لأول مشاركة في كل موضوع جديد في هذه المجموعة."
|
||||
tracking:
|
||||
title: "تتبع"
|
||||
description: "سيتم إشعارك بأية رد على هذا الموضوع، وبعدد الردود الجديدة التي ستظهر."
|
||||
description: "سنرسل لك إشعارا إن أشار أحد إلى اسمك أو ردّ عليك، كما ويترى عددًا من الردود الجديدة."
|
||||
regular:
|
||||
title: "معتدل"
|
||||
description: ".سيتم إشعارك إذا ذكر أحد ما @name أو رد على مشاركاتك"
|
||||
description: "سنرسل لك إشعارا إن أشار أحد إليك أو ردّ عليك."
|
||||
muted:
|
||||
title: "مكتوم"
|
||||
description: "لن يتم إشعارك بأي جديد يخص هذا الموضوع ولن يظهرهذا الموضوع في قائمة المواضيع المنشورة مؤخراً."
|
||||
description: "لن نرسل لك أي إشعار لأي من المواضيع الجديدة في هذه المجموعة."
|
||||
user_action_groups:
|
||||
'1': "الإعجابات المعطاة"
|
||||
'2': "الإعجابات المستلمة"
|
||||
'3': "المفضلة"
|
||||
'4': "مواضيع"
|
||||
'4': "المواضيع"
|
||||
'5': "الردود"
|
||||
'6': "ردود"
|
||||
'7': "إشارات"
|
||||
'9': "إقتباسات"
|
||||
'7': "الإشارات"
|
||||
'9': "الاقتباسات"
|
||||
'11': "التعديلات"
|
||||
'12': "العناصر المرسلة"
|
||||
'13': "البريد الوارد"
|
||||
@ -560,7 +565,6 @@ ar:
|
||||
disable: "إيقاف الإشعارات "
|
||||
enable: "تفعيل الإشعارات"
|
||||
each_browser_note: "ملاحظة : يجب انت تقوم بتغيير هذا الإعداد عند كل مرة تستخدم فيها متصفح جديد ."
|
||||
dismiss_notifications: "جعل الجميع مقروء"
|
||||
dismiss_notifications_tooltip: "جعل جميع اشعارات غيرمقروء الى مقروء"
|
||||
disable_jump_reply: "لاتذهب إلى مشاركتي بعد الرد"
|
||||
dynamic_favicon: "إعرض عدد المواضيع الجديدة والمحدثة في أيقونة المتصفح"
|
||||
@ -576,9 +580,7 @@ ar:
|
||||
suspended_reason: "سبب"
|
||||
github_profile: "Github"
|
||||
watched_categories: "مراقبة"
|
||||
watched_categories_instructions: "ستتم مراقبة جميع المواضيع الجديدة في هذه التصانيف. سيتم اشعارك بجميع المشاركات والمواضيع الجديدة، بالاضافة الى عدد المشاركات الجديدة الذي سيظهر بجانب الموضوع."
|
||||
tracked_categories: "متابعة"
|
||||
tracked_categories_instructions: "ستتم متابعة جميع المواضيع الجديدة في هذه التصانيف. عدد المشاركات الجديدة سيظهر بجانب الموضوع."
|
||||
muted_categories: "كتم"
|
||||
muted_categories_instructions: "لن يتم إشعارك بأي جديد عن المواضيع الجديدة في هذه التصنيفات، ولن تظهر مواضيع هذه التصنيفات في قائمة المواضيع المنشورة مؤخراً."
|
||||
delete_account: "حذف الحساب"
|
||||
@ -637,8 +639,8 @@ ar:
|
||||
uploaded_avatar_empty: "اضافة صورة "
|
||||
upload_title: "رفع صورتك "
|
||||
upload_picture: "رفع الصورة"
|
||||
image_is_not_a_square: "تنبيه: تم اقتصاص جزء من الصورة ، لأنها ليست مربعة الشكل."
|
||||
cache_notice: "قمت بتغيير صورة العرض بنجاح , لكن قد تتأخر في الظهور لديك ."
|
||||
image_is_not_a_square: "تحذير: لقد قصصنا الصورة، إذ أن عرضها وارتفاعها لا يتطابقان."
|
||||
cache_notice: "لقد غيّرت صورة ملفك بنجاح، ولكنه قد تأخذ وقتا حتى تظهر بسبب خبيئة المتصفح."
|
||||
change_profile_background:
|
||||
title: "لون خلفية الحساب"
|
||||
instructions: "سيتم وضع خلفية الحساب في المنتصف بعرض 850px"
|
||||
@ -646,10 +648,10 @@ ar:
|
||||
title: "خلفية المستخدم"
|
||||
instructions: "سيتم وضع الخلفية في المنتصف بعرض 590px"
|
||||
email:
|
||||
title: "بريد الكتروني"
|
||||
instructions: "لن يتم إظهاره للعامة"
|
||||
ok: "سيتم إرسال رسالة على بريدك الإلكتروني لتأكيد الحساب"
|
||||
invalid: "يرجى إدخال بريد الكتروني فعّال."
|
||||
title: "البريد الإلكتروني"
|
||||
instructions: "لا يظهر للعموم"
|
||||
ok: "سنرسل لك بريدا للتأكيد"
|
||||
invalid: "فضلا أدخل بريدا إلكترونيا صالحا"
|
||||
authenticated: "تم توثيق بريدك الإلكتروني بواسطة {{provider}}"
|
||||
frequency_immediately: "سيتم ارسال رسالة الكترونية فورا في حال أنك لم الرسائل السابقة"
|
||||
frequency:
|
||||
@ -661,13 +663,13 @@ ar:
|
||||
other: "سنراسلك على بريدك فقط في حال لم تكن متصلا على الموقع في {{count}} دقيقة ."
|
||||
name:
|
||||
title: "الاسم"
|
||||
instructions: "اسمك الكامل (اختياري )"
|
||||
instructions_required: "اسمك كاملاً"
|
||||
too_short: "اسمك قصير جداً."
|
||||
ok: " .إسمك يبدو جيدا "
|
||||
instructions: "اسمك الكامل (اختياري)"
|
||||
instructions_required: "اسمك كاملا"
|
||||
too_short: "اسمك قصير جدا"
|
||||
ok: "يبدو اسمك جيدا"
|
||||
username:
|
||||
title: "اسم المستخدم"
|
||||
instructions: "غير مكرر , بدون مسافات , قصير"
|
||||
instructions: "فريد دون مسافات وقصير"
|
||||
short_instructions: "يمكن للناس بمنادتك بـ @{{username}}."
|
||||
available: "اسم المستخدم متاح."
|
||||
global_match: "البريد الالكتروني مطابق لـ اسم المستخدم المسّجل."
|
||||
@ -763,6 +765,7 @@ ar:
|
||||
rescind: "حذف"
|
||||
rescinded: "الدعوة حذفت"
|
||||
reinvite: "اعادة ارسال الدعوة"
|
||||
reinvite_all: "أعد إرسال كل الدعوات"
|
||||
reinvited: "اعادة ارسال الدعوة"
|
||||
time_read: "وقت القراءة"
|
||||
days_visited: "أيام الزيارة"
|
||||
@ -907,19 +910,19 @@ ar:
|
||||
login:
|
||||
title: "تسجيل دخول"
|
||||
username: "المستخدم"
|
||||
password: "الرمز السري"
|
||||
email_placeholder: "البريد الإلكتروني أو إسم المستخدم"
|
||||
caps_lock_warning: "Caps Lock is on"
|
||||
error: "مشكل غير معروف"
|
||||
password: "كلمة المرور"
|
||||
email_placeholder: "البريد الإلكتروني أو اسم المستخدم"
|
||||
caps_lock_warning: "قافل الحالة يعمل"
|
||||
error: "خطأ مجهول"
|
||||
rate_limit: "الرجاء اﻹنتظارقبل محاولة تسجيل الدخول مجدداً."
|
||||
blank_username_or_password: "أدخل اسم المستخدم أو البريد الإلكتروني و كلمة المرور."
|
||||
reset_password: ' إعادة تعيين الرمز السري'
|
||||
blank_username_or_password: "أدخل اسم المستخدم أو البريد الإلكتروني وكلمة المرور."
|
||||
reset_password: 'صفّر كلمة المرور'
|
||||
logging_in: "...تسجيل الدخول "
|
||||
or: "أو "
|
||||
authenticating: " ... جاري التأكد"
|
||||
awaiting_confirmation: "لازال حسابك غير فعال حتى هذه اللحظة، استخدم خيار \"نسيان كلمة المرور\" لإرسال رابط تفعيل آخر."
|
||||
awaiting_approval: "لم يتم الموافقة على حسابك، سيتم إرسال بريد إلكتروني عندما تتم الموافقة."
|
||||
requires_invite: "المعذرة، الوصول لهذا الموقع خاص بالمدعويين فقط."
|
||||
authenticating: "يستوثق..."
|
||||
awaiting_confirmation: "ما زال حسابك غير مفعّل، استخدم وصلة نسيان كلمة المرور لإرسال بريد إلكتروني تفعيلي آخر."
|
||||
awaiting_approval: "لم يوافق أحد أعضاء الطاقم على حسابك بعد. سيُرسل إليك بريد حالما يتم ذلك."
|
||||
requires_invite: "آسفون، التسجيل في هذا المنتدى يتم بالدعوة فقط."
|
||||
not_activated: "لا يمكنك تسجيل الدخول. لقد سبق و أن أرسلنا بريد إلكتروني إلى <b>{{sentTo}}</b> لتفعيل حسابك. الرجاء اتباع التعليمات المرسلة لتفعيل الحساب."
|
||||
not_allowed_from_ip_address: "لا يمكنك تسجيل الدخول من خلال هذا العنوان الرقمي - IP."
|
||||
admin_not_allowed_from_ip_address: "لا يمكنك تسجيل الدخول كمدير من خلال هذا العنوان الرقمي - IP."
|
||||
@ -929,46 +932,48 @@ ar:
|
||||
preferences: "يتوجب عليك تسجيل الدخول لتغيير إعداداتك الشخصية."
|
||||
forgot: "لا أذكر معلومات حسابي"
|
||||
google:
|
||||
title: "مع جوجل"
|
||||
message: "التحقق من خلال حساب جوجل ( الرجاء التأكد من عدم تشغيل مانع الاعلانات المنبثقة في المتصفح)"
|
||||
title: "مع غوغل"
|
||||
message: "يستوثق مع غوغل (تأكد من أن مانعات المنبثقات معطلة)"
|
||||
google_oauth2:
|
||||
title: "بواسطة Google"
|
||||
message: "تسجيل الدخول باستخدام حسابك في Google ( تأكد أن النوافذ المنبثقة غير ممنوعة في متصفحك)"
|
||||
title: "مع غوغل"
|
||||
message: "يستوثق مع غوغل (تأكد من أن مانعات المنبثقات معطلة)"
|
||||
twitter:
|
||||
title: "مع تويتر"
|
||||
message: "التحقق من خلال حساب تويتر ( الرجاء التأكد من عدم تشغيل مانع الاعلانات المنبثقة في المتصفح)"
|
||||
message: "يستوثق مع تويتر (تأكد من أن مانعات المنبثقات معطلة)"
|
||||
instagram:
|
||||
title: "عن طريق الانستغرام"
|
||||
message: "تسجيل الدخول عن طريق الانستغرام (تاكد ان حاجب النوافذ المنبسقه غير مفعل)"
|
||||
title: "مع إنستغرام"
|
||||
message: "يستوثق مع إنستغرام (تأكد من أن مانعات المنبثقات معطلة)"
|
||||
facebook:
|
||||
title: "مع الفيسبوك"
|
||||
message: "التحقق من خلال حساب الفيس بوك ( الرجاء التأكد من عدم تشغيل مانع الاعلانات المنبثقة في المتصفح)"
|
||||
title: "مع فيسبوك"
|
||||
message: "يستوثق مع فيسبوك (تأكد من أن مانعات المنبثقات معطلة)"
|
||||
yahoo:
|
||||
title: "مع ياهو"
|
||||
message: "التحقق من خلال حساب ياهو ( الرجاء التأكد من عدم تشغيل مانع الاعلانات المنبثقة في المتصفح)"
|
||||
message: "يستوثق مع ياهو (تأكد من أن مانعات المنبثقات معطلة)"
|
||||
github:
|
||||
title: "مع جيتهب"
|
||||
message: "التحقق من خلال حساب جيتهب ( الرجاء التأكد من عدم تشغيل مانع الاعلانات المنبثقة في المتصفح)"
|
||||
apple_international: "ابل"
|
||||
google: "جوجل"
|
||||
twitter: "تويتر"
|
||||
emoji_one: "تعبيرات"
|
||||
title: "مع غِتهَب"
|
||||
message: "يستوثق مع غِتهَب (تأكد من أن مانعات المنبثقات معطلة)"
|
||||
emoji_set:
|
||||
apple_international: "آبل/عالمي"
|
||||
google: "غوغل"
|
||||
twitter: "تويتر"
|
||||
emoji_one: "إموجي واحد"
|
||||
win10: "وندوز10"
|
||||
shortcut_modifier_key:
|
||||
shift: 'العالي'
|
||||
ctrl: 'التحكم'
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
alt: 'Alt'
|
||||
composer:
|
||||
emoji: "الرموز التعبيرية :)"
|
||||
emoji: "الإيموجي :)"
|
||||
more_emoji: "أكثر..."
|
||||
options: "خيارات"
|
||||
whisper: "همس"
|
||||
add_warning: "هذا تحذير رسمي"
|
||||
toggle_whisper: "تبديل الهمس"
|
||||
posting_not_on_topic: "أي موضوع تود الرد عليه؟"
|
||||
saving_draft_tip: "جار الحفظ..."
|
||||
saved_draft_tip: "تم الحفظ"
|
||||
saved_local_draft_tip: "تم الحفظ محلياً"
|
||||
similar_topics: "موضوعك مشابه لـ ..."
|
||||
saving_draft_tip: "يحفظ..."
|
||||
saved_draft_tip: "حُفظ"
|
||||
saved_local_draft_tip: "حُفظ محليا"
|
||||
similar_topics: "موضوعك يشابه..."
|
||||
drafts_offline: "مسودات محفوظة "
|
||||
error:
|
||||
title_missing: "العنوان مطلوب"
|
||||
@ -987,15 +992,15 @@ ar:
|
||||
create_pm: "رسالة"
|
||||
title: "او اضغط على Ctrl+Enter"
|
||||
users_placeholder: "اضافة مستخدم"
|
||||
title_placeholder: "ما هو الموضوع المراد مناقشته في جملة واحدة ؟"
|
||||
edit_reason_placeholder: "لمذا تريد التعديل ؟"
|
||||
show_edit_reason: "(اضف سبب التعديل)"
|
||||
title_placeholder: "بجملة واحدة، ما الذي تود النقاش عنه؟"
|
||||
edit_reason_placeholder: "لماذا تعدّل النص؟"
|
||||
show_edit_reason: "(أضف سبب التعديل)"
|
||||
reply_placeholder: "أكتب هنا. استخدم Markdown, BBCode, أو HTML للتشكيل. اسحب أو الصق الصور."
|
||||
view_new_post: "الاطلاع على أحدث مشاركاتك"
|
||||
saving: "جارِ الحفظ"
|
||||
saved: "تم الحفظ"
|
||||
saving: "يحفظ"
|
||||
saved: "حُفظ!"
|
||||
saved_draft: "جاري إضافة المسودة. اضغط للاستئناف"
|
||||
uploading: "يتم الرفع..."
|
||||
uploading: "يرفع..."
|
||||
show_preview: 'أعرض المعاينة »'
|
||||
hide_preview: '« اخف المعاينة'
|
||||
quote_post_title: "اقتبس كامل المشاركة"
|
||||
@ -1023,7 +1028,7 @@ ar:
|
||||
toggler: "اخف او اظهر صندوق التحرير"
|
||||
modal_ok: "موافق"
|
||||
modal_cancel: "إلغاء"
|
||||
cant_send_pm: "عذرا ، لا يمكنك ان ترسل رسالة الى %{username} ."
|
||||
cant_send_pm: "آسفون، لا يمكنك إرسال الرسائل إلى %{username} ."
|
||||
admin_options_title: "اختياري اضافة اعدادات الموضوع"
|
||||
auto_close:
|
||||
label: "وقت الإغلاق التلقائي للموضوع"
|
||||
@ -1069,12 +1074,12 @@ ar:
|
||||
granted_badge: "تم منح الوسام"
|
||||
group_message_summary: "الرسائل في صندوق رسائل المجموعه"
|
||||
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}}'
|
||||
private_message: '{{username}} أرسل لك رسالة خاصة في "{{topic}}" - {{site_title}}'
|
||||
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}}'
|
||||
private_message: 'أرسل {{username}} إليك رسالة خاصة في "{{topic}}" - {{site_title}}'
|
||||
linked: '{{username}} رتبط بمشاركتك من "{{topic}}" - {{site_title}}'
|
||||
upload_selector:
|
||||
title: "اضف صورة"
|
||||
@ -1084,11 +1089,11 @@ ar:
|
||||
remote_tip: "رابط لصورة"
|
||||
remote_tip_with_attachments: "رابط لصورة أو ملف {{authorized_extensions}}"
|
||||
local_tip: "إختر صور من جهازك ."
|
||||
local_tip_with_attachments: "اختيار صور او ملفات من جهازك {{authorized_extensions}}"
|
||||
hint: "(تستطيع أيضا أن تسحب و تفلت ملف أو صورة في المحرر لرفعه)"
|
||||
hint_for_supported_browsers: "يمكنك أيضا سحبوإفلات أو لصق الصور إلى المحرر"
|
||||
uploading: "يتم الرفع"
|
||||
select_file: "تحديد ملف"
|
||||
local_tip_with_attachments: "حدّد صورا أو ملفات من جهازك {{authorized_extensions}}"
|
||||
hint: "(يمكنك أيضا السحب والإفلات على المحرر لرفعها)"
|
||||
hint_for_supported_browsers: "يمكنك أيضا سحب وإفلات الصور أو لصقها في المحرر"
|
||||
uploading: "يرفع"
|
||||
select_file: "اختر ملفا"
|
||||
image_link: "رابط ستشير له الصورة"
|
||||
search:
|
||||
sort_by: "ترتيب حسب"
|
||||
@ -1099,17 +1104,17 @@ ar:
|
||||
select_all: "أختر الكل"
|
||||
clear_all: "إلغ إختيار الكل"
|
||||
result_count:
|
||||
zero: "{{count}} لا نتائج <span class='term'>\"{{term}}\"</span>"
|
||||
one: "{{count}} نتيجة <span class='term'>\"{{term}}\"</span>"
|
||||
two: "{{count}} 2 نتائج <span class='term'>\"{{term}}\"</span>"
|
||||
few: "{{count}} النتائج <span class='term'>\"{{term}}\"</span>"
|
||||
many: "{{count}} النتائج <span class='term'>\"{{term}}\"</span>"
|
||||
other: "{{count}} النتائج <span class='term'>\"{{term}}\"</span>"
|
||||
title: "البحث في المواضيع أو الردود أو الأعضاء أو التصنيفات"
|
||||
no_results: "لم يتم العثور على نتائج للبحث"
|
||||
no_more_results: "لا يوجد نتائج إضافية ."
|
||||
zero: "لا نتائج ل <span class='term'>\"{{term}}\"</span>"
|
||||
one: "نتيجة واحدة ل <span class='term'>\"{{term}}\"</span>"
|
||||
two: "نتيجتان ل <span class='term'>\"{{term}}\"</span>"
|
||||
few: "{{count}} نتائج ل <span class='term'>\"{{term}}\"</span>"
|
||||
many: "{{count}} نتيجة ل <span class='term'>\"{{term}}\"</span>"
|
||||
other: "{{count}} نتيجة ل <span class='term'>\"{{term}}\"</span>"
|
||||
title: "ابحث في المواضيع أو المشاركات أو المستخدمين أو الفئات"
|
||||
no_results: "لا نتائج."
|
||||
no_more_results: "لا نتائج أخرى."
|
||||
search_help: بحث عن المساعدة
|
||||
searching: "جاري البحث ..."
|
||||
searching: "يبحث..."
|
||||
post_format: "#{{post_number}} بواسطة {{username}}"
|
||||
context:
|
||||
user: "البحث عن مواضيع @{{username}}"
|
||||
@ -1146,11 +1151,11 @@ ar:
|
||||
many: "لقد اخترت <b>{{count}}</b> موضوعًا."
|
||||
other: "لقد اخترت <b>{{count}}</b> موضوع."
|
||||
none:
|
||||
unread: "لا يوجد لديك مواضيع غير مقروءة"
|
||||
new: "لا يوجد لديك مواضيع جديدة"
|
||||
read: "لم تقرأ أي موضوع حتى الآن"
|
||||
posted: "لم تقم بإضافة أي موضوع حتى الآن"
|
||||
latest: "لا يوجد مشاركات حديثة .. مع الأسف :("
|
||||
unread: "ليست هناك مواضيع غير مقروءة."
|
||||
new: "ليست هناك مواضيع جديدة."
|
||||
read: "لم تقرأ أيّ موضوع بعد."
|
||||
posted: "لم تشارك في أيّ موضوع بعد."
|
||||
latest: "لا مواضيع حديثة. يا للأسف."
|
||||
hot: "الهدوء يعم المكان."
|
||||
bookmarks: "ليس لديك مواضيع في المفضلة."
|
||||
category: "لا يوجد مواضيع في التصنيف {{category}}"
|
||||
@ -1486,37 +1491,37 @@ ar:
|
||||
few: "(المشاركة سحبت بواسطة الكاتب, سوف تحذف تلقائياً خلال %{count} ساعات مالم يُشار اليها)"
|
||||
many: "(المشاركة سحبت بواسطة الكاتب, سوف تحذف تلقائياً خلال %{count} ساعة مالم يُشار اليها)"
|
||||
other: "(المشاركة سحبت بواسطة الكاتب, سوف تحذف تلقائياً خلال %{count} ساعة مالم يُشار اليها)"
|
||||
expand_collapse: "عرض/إخفاء"
|
||||
expand_collapse: "وسّع/اطو"
|
||||
gap:
|
||||
zero: "لا يوجد ردود مخفية."
|
||||
one: "مشاهدة رد مخفي."
|
||||
two: "مشاهدة ردين مخفيين."
|
||||
few: "مشاهدة {{count}} ردود مخفية."
|
||||
many: "مشاهدة {{count}} رد مخفي."
|
||||
other: "مشاهدة {{count}} رد مخفي."
|
||||
zero: "لا ردود مخفية"
|
||||
one: "اعرض الرد المخفي"
|
||||
two: "اعرض الردين المخفيين"
|
||||
few: "اعرض ال{{count}} ردود المخفية"
|
||||
many: "اعرض ال{{count}} ردا المخفية"
|
||||
other: "اعرض ال{{count}} رد المخفية"
|
||||
more_links: "{{count}} أكثر .."
|
||||
unread: "المشاركة غير مقروءة"
|
||||
has_replies:
|
||||
zero: "لا ردود"
|
||||
one: "{{count}} رد"
|
||||
one: "رد واحد"
|
||||
two: "ردان"
|
||||
few: "ردود قليلة"
|
||||
many: "ردود كثيرة"
|
||||
other: "{{count}} ردود."
|
||||
few: "{{count}} ردود"
|
||||
many: "{{count}} ردا"
|
||||
other: "{{count}} رد"
|
||||
has_likes:
|
||||
zero: "لا إعجابات"
|
||||
one: "{{count}} إعجاب"
|
||||
one: "إعجاب واحد"
|
||||
two: "إعجابان"
|
||||
few: "إعجابات قليلة"
|
||||
many: "إعجابات كثيرة"
|
||||
other: "{{count}} إعجابات"
|
||||
few: "{{count}} إعجابات"
|
||||
many: "{{count}} إعجابا"
|
||||
other: "{{count}} إعجاب"
|
||||
has_likes_title:
|
||||
zero: "لم يعجب أحد بهذه المشاركة"
|
||||
one: "شخص واحد أعجب بهذه المشاركة"
|
||||
two: "أعجب شخصان بهذه المشاركة"
|
||||
few: "أعجب أشخاص قليلون بهذه المشاركة"
|
||||
many: "أعجب أشخاص كثيرون بهذه المشاركة"
|
||||
other: "{{count}} أشخاص أعجبوا بهذه المشاركة"
|
||||
one: "أُعجب واحد بهذه المشاركة"
|
||||
two: "أُعجب إثنان بهذه المشاركة"
|
||||
few: "أُعجب {{count}} بهذه المشاركة"
|
||||
many: "أُعجب {{count}} بهذه المشاركة"
|
||||
other: "أُعجب {{count}} بهذه المشاركة"
|
||||
has_likes_title_only_you: "أنت أعجبت بهذه المشاركة"
|
||||
has_likes_title_you:
|
||||
zero: "أنت أعجبت بهذه المشاركة"
|
||||
@ -1703,12 +1708,12 @@ ar:
|
||||
many: "{{count}} أعضاء علّمو هذا للمراقبين"
|
||||
other: "{{count}} أعضاء علّمو هذا للمراقبين"
|
||||
notify_user:
|
||||
zero: "لم يتم إرسال رسالة لهذا المستخدم."
|
||||
one: "شخص أرسل رسالة لهذا المستخدم."
|
||||
two: "{{count}} أرسلا رسالة لهذا المستخدم."
|
||||
few: "{{count}} أرسلوا رسالة لهذا المستخدم."
|
||||
many: "{{count}} أرسلوا رسالة لهذا المستخدم."
|
||||
other: "{{count}} أرسلوا رسالة لهذا المستخدم."
|
||||
zero: "لم يُرسل شيء لهذا المستخدم"
|
||||
one: "أرسل شخص واحد رسالة لهذا المستخدم"
|
||||
two: "أرسل شخصين رسالة لهذا المستخدم"
|
||||
few: "أرسل {{count}} أشخاص رسالة لهذا المستخدم"
|
||||
many: "أرسل {{count}} شخصا رسالة لهذا المستخدم"
|
||||
other: "أرسل {{count}} شخص رسالة لهذا المستخدم"
|
||||
bookmark:
|
||||
zero: "لم يفضل أحد هذه المشاركة."
|
||||
one: " شخص واحد فضل هذه المشاركة."
|
||||
@ -1815,10 +1820,8 @@ ar:
|
||||
notifications:
|
||||
watching:
|
||||
title: "مشاهده "
|
||||
description: "ستتم مراقبة جميع المواضيع الجديدة في هذه التصانيف. سيتم اشعارك بجميع المشاركات الجديدة في كل المواضيع، بالاضافة الى عدد الردود الجديدة الذي سيظهر بجانب الموضوع."
|
||||
tracking:
|
||||
title: "تتبع "
|
||||
description: "ستتم متابعة جميع المواضيع الجديدة في هذه التصانيف. سيتم اشعارك اذا ذكر احدهم @اسمك او رد عليك، كذلك عدد المشاركات الجديدة سيظهر بجانب الموضوع."
|
||||
regular:
|
||||
title: "منتظم"
|
||||
description: "سوف تُنبه اذا قام أحد بالاشارة لاسمك \"@name\" أو الرد عليك."
|
||||
@ -1857,7 +1860,6 @@ ar:
|
||||
title: "ملخص الموضوع"
|
||||
participants_title: "مشاركين معتادين"
|
||||
links_title: "روابط شائعة."
|
||||
links_shown: "اظهار {{totalLinks}} روابط..."
|
||||
clicks:
|
||||
zero: "%{count} نقرة"
|
||||
one: "%{count} نقرة"
|
||||
@ -1873,7 +1875,7 @@ ar:
|
||||
locked:
|
||||
help: "هذا الموضوع مغلق, لن يتم قبول اي رد "
|
||||
archived:
|
||||
help: "هذا الموضوع مؤرشف,لن تستطيع أن تعدل عليه"
|
||||
help: "هذا الموضوع مؤرشف، لذا فهو مجمّد ولا يمكن تعديله"
|
||||
locked_and_archived:
|
||||
help: "هذا الموضوع مغلق و مؤرشف; لم يعد يقبل ردود جديدة أو لا يمكن تغيره."
|
||||
unpinned:
|
||||
@ -1890,12 +1892,6 @@ ar:
|
||||
posts: "مشاركات"
|
||||
posts_lowercase: "مشاركات"
|
||||
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 {}}
|
||||
original_post: "المشاركة الاصلية"
|
||||
views: "مشاهدات"
|
||||
views_lowercase:
|
||||
@ -2031,11 +2027,20 @@ ar:
|
||||
this_week: "أسبوع"
|
||||
today: "اليوم"
|
||||
other_periods: "مشاهدة الأفضل"
|
||||
browser_update: 'للأسف, <a href="http://www.discourse.org/faq/#browser">متصفحك قديم لكي يفتح هذه الصفحة</a>. Please <a href="http://browsehappy.com">قم بتحديث متصفحك</a>.'
|
||||
browser_update: 'للأسف، <a href="http://www.discourse.org/faq/#browser">متصفّحك قديم جدًّا ليعمل عليه هذا الموقع</a>. فضلًا <a href="http://browsehappy.com">رقّه</a>.'
|
||||
permission_types:
|
||||
full: "انشاء / رد / مشاهدة"
|
||||
create_post: "رد / مشاهدة"
|
||||
readonly: "مشاهدة"
|
||||
google_search: |
|
||||
<h3>ابحث باستخدام غوغل</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">غوغل</button>
|
||||
</form>
|
||||
</p>
|
||||
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: "هل انت متاكد انك تريد استعاده هذه النسخه الاحتياطيه؟"
|
||||
|
||||
@ -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: "<i title='privatna poruka' class='fa fa-envelope-o'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='prihvatio pozivnicu' class='fa fa-user'></i><p><span>{{username}}</span> accepted your invitation</p>"
|
||||
moved_post: "<i title='pomjerio post' class='fa fa-sign-out'></i><p><span>{{username}}</span> moved {{description}}</p>"
|
||||
linked: "<i title='linkovo post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='bedž dobijen' class='fa fa-certificate'></i><p>Zaslužen '{{description}}'</p>"
|
||||
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: (<b>Required</b>, 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: <span class="username">%{username}</span> for post in %{link}
|
||||
with_post_time: <span class="username">%{username}</span> for post in %{link} at <span class="time">%{time}</span>
|
||||
with_time: <span class="username">%{username}</span> at <span class="time">%{time}</span>
|
||||
lightbox:
|
||||
download: "skini"
|
||||
keyboard_shortcuts_help:
|
||||
title: 'Prečice na Tastaturi'
|
||||
jump_to:
|
||||
title: 'Skoči na'
|
||||
home: '<b>g</b>, <b>h</b> Home (Najnovije)'
|
||||
latest: '<b>g</b>, <b>l</b> Najnovije'
|
||||
new: '<b>g</b>, <b>n</b> Nove Teme'
|
||||
unread: '<b>g</b>, <b>u</b> Nepročitane'
|
||||
categories: '<b>g</b>, <b>c</b> Kategorije'
|
||||
top: '<b>g</b>, <b>t</b> Popularne'
|
||||
navigation:
|
||||
title: 'Navigacija'
|
||||
jump: '<b>#</b> Idi na post #'
|
||||
back: '<b>u</b> Nazad'
|
||||
up_down: '<b>k</b>/<b>j</b> Move selection ↑ ↓'
|
||||
open: '<b>o</b> or <b>Enter</b> Open selected topic'
|
||||
next_prev: '<b>shift j</b>/<b>shift k</b> Next/previous section'
|
||||
application:
|
||||
title: 'Aplikacija'
|
||||
create: '<b>c</b> Započni novu temu'
|
||||
notifications: '<b>n</b> Otvori notifikacije'
|
||||
user_profile_menu: '<b>p</b> Otvori meni korisnika'
|
||||
show_incoming_updated_topics: '<b>.</b> Pročitaj promjenje teme'
|
||||
search: '<b>/</b> Tragaj'
|
||||
help: '<b>?</b> Otvori pomoć za tastaturu'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Dismiss New/Posts'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Dismiss Topics'
|
||||
actions:
|
||||
title: 'Akcije'
|
||||
share_topic: '<b>shift s</b> Sheruj temu'
|
||||
share_post: '<b>s</b> Sheruj post'
|
||||
reply_as_new_topic: '<b>t</b> Odgovori kroz novu temu'
|
||||
reply_topic: '<b>shift r</b> Odgovori na Temu'
|
||||
reply_post: '<b>r</b> Odgovori na post'
|
||||
quote_post: '<b>q</b> Citiraj odgovor'
|
||||
like: '<b>l</b> Lajkuj post'
|
||||
flag: '<b>!</b> Opomeni post'
|
||||
bookmark: '<b>b</b> Bookmark post'
|
||||
edit: '<b>e</b> Izmjeni post'
|
||||
delete: '<b>d</b> Obriši post'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Mutiraj temu'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Regularna tema'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Prati temu'
|
||||
mark_watching: '<b>m</b>, <b>w</b> Motri temu'
|
||||
badges:
|
||||
title: Bedževi
|
||||
select_badge_for_title: Izaveri bedž za svoj naslov
|
||||
none: "<nijedna>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Da započnete
|
||||
community:
|
||||
name: Zajednica
|
||||
trust_level:
|
||||
name: Nivo Povjerenja
|
||||
other:
|
||||
name: Drugi
|
||||
posting:
|
||||
name: Postiranje
|
||||
|
||||
@ -27,18 +27,20 @@ cs:
|
||||
thousands: "{{number}}k"
|
||||
millions: "{{number}}M"
|
||||
dates:
|
||||
time: "h:mm a"
|
||||
long_no_year: "MMM D h:mm a"
|
||||
long_no_year_no_time: "MMM D"
|
||||
full_no_year_no_time: "MMMM Do"
|
||||
long_with_year: "MMM D, YYYY h:mm a"
|
||||
long_with_year_no_time: "MMM D, YYYY"
|
||||
full_with_year_no_time: "MMMM Do, YYYY"
|
||||
long_date_with_year: "MMM D, 'YY LT"
|
||||
long_date_without_year: "MMM D, LT"
|
||||
long_date_with_year_without_time: "MMM D, 'YY"
|
||||
long_date_without_year_with_linebreak: "MMM D <br/>LT"
|
||||
long_date_with_year_with_linebreak: "MMM D, 'YY <br/>LT"
|
||||
time: "H:mm"
|
||||
timeline_date: "MMM YYYY"
|
||||
long_no_year: "D. MMMM H:mm"
|
||||
long_no_year_no_time: "D. MMMM"
|
||||
full_no_year_no_time: "D. MMMM"
|
||||
long_with_year: "D. M. YYYY, H:mm"
|
||||
long_with_year_no_time: "D. M. YYYY"
|
||||
full_with_year_no_time: "D. MMMM YYYY"
|
||||
long_date_with_year: "D. M. YYYY, H:mm"
|
||||
long_date_without_year: "D. MMMM, H:mm"
|
||||
long_date_with_year_without_time: "D. M. YYYY"
|
||||
long_date_without_year_with_linebreak: "D. MMMM <br/>H:mm"
|
||||
long_date_with_year_with_linebreak: "D. M. YYYY <br/>H:mm"
|
||||
wrap_ago: "před %{date}"
|
||||
tiny:
|
||||
half_a_minute: "< 1m"
|
||||
less_than_x_seconds:
|
||||
@ -77,8 +79,8 @@ cs:
|
||||
one: "1r"
|
||||
few: "%{count}r"
|
||||
other: "%{count}let"
|
||||
date_month: "MMM D"
|
||||
date_year: "MMM 'YY"
|
||||
date_month: "D. MMMM"
|
||||
date_year: "MMMM YYYY"
|
||||
medium:
|
||||
x_minutes:
|
||||
one: "1 minuta"
|
||||
@ -92,7 +94,7 @@ cs:
|
||||
one: "1 den"
|
||||
few: "%{count} dny"
|
||||
other: "%{count} dní"
|
||||
date_year: "MMM D, 'YY"
|
||||
date_year: "D. M. YYYY"
|
||||
medium_with_ago:
|
||||
x_minutes:
|
||||
one: "před 1 minutou"
|
||||
@ -119,6 +121,8 @@ cs:
|
||||
one: "za 1 rok"
|
||||
few: "za %{count} roků"
|
||||
other: "za %{count} let"
|
||||
previous_month: 'Předchozí měsíc'
|
||||
next_month: 'Další měsíc'
|
||||
share:
|
||||
topic: 'sdílet odkaz na toto téma'
|
||||
post: 'příspěvek #%{postNumber}'
|
||||
@ -128,7 +132,13 @@ cs:
|
||||
google+: 'sdílet odkaz na Google+'
|
||||
email: 'odeslat odkaz emailem'
|
||||
action_codes:
|
||||
public_topic: "Téma zveřejněno %{when}"
|
||||
private_topic: "Téma změněno na soukromé %{when}"
|
||||
split_topic: "rozděl toto téma %{when}"
|
||||
invited_user: "%{who} pozván %{when}"
|
||||
invited_group: "%{who} pozvána %{when}"
|
||||
removed_user: "%{who} smazán %{when}"
|
||||
removed_group: "%{who} smazána %{when}"
|
||||
autoclosed:
|
||||
enabled: 'uzavřeno %{when}'
|
||||
disabled: 'otevřeno %{when}'
|
||||
@ -149,6 +159,17 @@ cs:
|
||||
disabled: 'neuvedeno %{when}'
|
||||
topic_admin_menu: "akce administrátora tématu"
|
||||
emails_are_disabled: "Všechny odchozí emaily byly administrátorem vypnuty. Žádné odchozí emaily nebudou odeslány."
|
||||
bootstrap_mode_enabled: "Aby se váš web jednodušeji rozjel, nachází se v režimu bootstrap. Všichni noví uživatelé začínají s důveryhodností 1 a mají povolené denní odesílání souhrnných emailů. Tento režim se automaticky vypne, jakmile počet registrovaných uživatelů překročí %{min_users}."
|
||||
bootstrap_mode_disabled: "Režim bootstrap bude deaktivován v následujících 24 hodinách."
|
||||
s3:
|
||||
regions:
|
||||
us_east_1: "Východ USA (S. Virginie)"
|
||||
us_west_1: "Západ USA (S. Kalifornie)"
|
||||
us_west_2: "Západ USA (Oregon)"
|
||||
us_gov_west_1: "AWS GovCloud (USA)"
|
||||
eu_west_1: "EU (Irsko)"
|
||||
eu_central_1: "EU (Frankfurt)"
|
||||
sa_east_1: "Jižní Amerika (Sao Paulo)"
|
||||
edit: 'upravit název a kategorii příspěvku'
|
||||
not_implemented: "Tato funkce ještě nebyla naprogramována, omlouváme se."
|
||||
no_value: "Ne"
|
||||
@ -182,6 +203,8 @@ cs:
|
||||
more: "Více"
|
||||
less: "Méně"
|
||||
never: "nikdy"
|
||||
every_30_minutes: "každých 30 minut"
|
||||
every_hour: "každou hodinu"
|
||||
daily: "denně"
|
||||
weekly: "týdně"
|
||||
every_two_weeks: "jednou za 14 dní"
|
||||
@ -194,6 +217,7 @@ cs:
|
||||
other: "{{count}} znaků"
|
||||
suggested_topics:
|
||||
title: "Doporučená témata"
|
||||
pm_title: "Doporučené zprávy"
|
||||
about:
|
||||
simple_title: "O fóru"
|
||||
title: "O %{title}"
|
||||
@ -251,8 +275,8 @@ cs:
|
||||
undo: "Zpět"
|
||||
revert: "Vrátit"
|
||||
failed: "Selhání"
|
||||
switch_to_anon: "Anonymní mód"
|
||||
switch_from_anon: "Opustit Anonymní"
|
||||
switch_to_anon: "Vstoupit do anonymního módu"
|
||||
switch_from_anon: "Opustit anonymní mód"
|
||||
banner:
|
||||
close: "Odmítnout tento banner."
|
||||
edit: "Editujte tento banner >>"
|
||||
@ -276,6 +300,7 @@ cs:
|
||||
few: "Toto téma má <b>{{count}}</b> příspěvky, které čekají na schválení."
|
||||
other: "Toto téma má <b>{{count}}</b> příspěvků, které čekají na schválení."
|
||||
confirm: "Uložit změny"
|
||||
delete_prompt: "Jste si jistí, že chcete smazat uživatele <b>%{username}</b>? Tímto smažete všechny jejich příspěvky a zablokujete jejich emailovou a IP addresu."
|
||||
approval:
|
||||
title: "Příspěvek potřebuje schválení"
|
||||
description: "Obdrželi jsme váš příspěvek, ale musí být před zveřejněním schválen moderátorem. Buďte trpěliví."
|
||||
@ -303,6 +328,8 @@ cs:
|
||||
title: "Uživatelé"
|
||||
likes_given: "Rozdáno"
|
||||
likes_received: "Obdrženo"
|
||||
topics_entered: "Zobrazeno"
|
||||
topics_entered_long: "Zobrazeno témat"
|
||||
time_read: "Čas strávený čtením"
|
||||
topic_count: "Témata"
|
||||
topic_count_long: "Témat vytvořeno"
|
||||
@ -318,6 +345,12 @@ cs:
|
||||
few: "%{count} uživatelé"
|
||||
other: "%{count} uživatelů"
|
||||
groups:
|
||||
empty:
|
||||
posts: "V této skupině není od žádného člena ani jeden příspěvek."
|
||||
members: "V této skupině není žádny uživatel."
|
||||
mentions: "Tato skupina nebyla ještě @zmíněna."
|
||||
messages: "Pro tuto skupinu není žádná zpráva."
|
||||
topics: "V této skupině není od žádného člena ani jedno téma."
|
||||
add: "Přidat"
|
||||
selector_placeholder: "Přidat členy"
|
||||
owner: "Vlastník"
|
||||
@ -327,7 +360,10 @@ cs:
|
||||
few: "skupiny"
|
||||
other: "skupiny"
|
||||
members: "Členové"
|
||||
topics: "Témata"
|
||||
posts: "Odpovědi"
|
||||
mentions: "Zmínění"
|
||||
messages: "Zprávy"
|
||||
alias_levels:
|
||||
title: "Kdo může do této skupiny psát zprávy a @zmiňovat ji?"
|
||||
nobody: "Nikdo"
|
||||
@ -338,6 +374,22 @@ cs:
|
||||
trust_levels:
|
||||
title: "Automaticky přidělená úroveň důvěryhodnosti členům když jsou přidáni: "
|
||||
none: "Žádná"
|
||||
notifications:
|
||||
watching:
|
||||
title: "Hlídané"
|
||||
description: "Budete informováni o každém novém příspěvku v každné zprávě a také se vám zobrazí počet nepřečtených příspěvků."
|
||||
watching_first_post:
|
||||
title: "Hlídané první příspěvky"
|
||||
description: "Budete informováni o prvním novém příspěvku v každém novém tématu vytvořeném v této skupině."
|
||||
tracking:
|
||||
title: "Sledování"
|
||||
description: "Budete informováni pokud někdo zmíní vaše @jméno nebo odpoví na váš příspěvek a zobrazí se vám počet nových odpovědí."
|
||||
regular:
|
||||
title: "Normalní"
|
||||
description: "Budete informováni pokud někdo zmíní vaše @jméno nebo odpoví na váš příspěvek."
|
||||
muted:
|
||||
title: "Ztišený"
|
||||
description: "Nikdy nedostanete oznámení o nových tématech v této skupině."
|
||||
user_action_groups:
|
||||
'1': "Rozdaných 'líbí se'"
|
||||
'2': "Obdržených 'líbí se'"
|
||||
@ -356,6 +408,7 @@ cs:
|
||||
all_subcategories: "vše"
|
||||
no_subcategory: "žádné"
|
||||
category: "Kategorie"
|
||||
category_list: "Zobrazit seznam kategorií"
|
||||
reorder:
|
||||
title: "Přeřadit kategorie"
|
||||
title_long: "Přeorganizovat seznam kategorií"
|
||||
@ -414,15 +467,17 @@ cs:
|
||||
invited_by: "Pozvánka od"
|
||||
trust_level: "Důvěryhodnost"
|
||||
notifications: "Oznámení"
|
||||
statistics: "Statistiky"
|
||||
desktop_notifications:
|
||||
label: "Upozornění na desktopu"
|
||||
not_supported: "Tento prohlížeč nepodporuje upozornění. Omlouváme se."
|
||||
perm_default: "Vypnout upozornění."
|
||||
perm_denied_btn: "Povolení zamítnuto"
|
||||
perm_denied_expl: "Máte zakázané upozornění. Povolte upozornění v nastavení vašeho prohlížeče."
|
||||
disable: "Vypnout upozornění"
|
||||
enable: "Povolit upozornění"
|
||||
each_browser_note: "Poznámka: Musíš změnit tuto volbu v každém prohlížeči, který používáš."
|
||||
dismiss_notifications: "Označ vše jako přečtené"
|
||||
dismiss_notifications: "Odbýt vše"
|
||||
dismiss_notifications_tooltip: "Označit všechny nepřečtené notifikace jako přečtené"
|
||||
disable_jump_reply: "Po odpovědi nepřeskakovat na nový příspěvek"
|
||||
dynamic_favicon: "Zobrazit počet nových témat v ikoně prohlížeče"
|
||||
@ -437,10 +492,28 @@ cs:
|
||||
suspended_notice: "Uživatel je suspendován do {{date}}."
|
||||
suspended_reason: "Důvod: "
|
||||
github_profile: "Github"
|
||||
email_activity_summary: "Souhrn aktivit"
|
||||
mailing_list_mode:
|
||||
label: "Režim elektronická pošta"
|
||||
enabled: "Zapnout režim elektronická pošta"
|
||||
instructions: |
|
||||
Toto nastavení deaktivuje souhrn aktivit.<br/>
|
||||
Ztlumená témata a kategorie nejsou zahrnuté v těchto emailech.
|
||||
daily: "Denně posílat aktuality"
|
||||
individual: "Upozornit emailem na každý nový příspěvek"
|
||||
many_per_day: "Upozornit emailem na každý nový příspěvek (asi {{dailyEmailEstimate}} každý den)"
|
||||
few_per_day: "Upozornit emailem na každý nový příspěvek (asi 2 každý den)"
|
||||
tag_settings: "Štítky"
|
||||
watched_tags: "Hlídané"
|
||||
watched_tags_instructions: "Budete automaticky hlídat všechna nová témata s těmito štítky. Na všechny nové příspěvky a témata budete upozorněni. Počet nových příspěvků se zobrazí vedle tématu."
|
||||
tracked_tags: "Sledované"
|
||||
muted_tags: "Ztišené"
|
||||
muted_tags_instructions: "Nikdy nebudete dostávat upozornění na nová témata s těmito štítky a neobjeví se v aktuálních."
|
||||
watched_categories: "Hlídané"
|
||||
watched_categories_instructions: "Budete automaticky sledovat všechna nová témata v těchto kategoriích. Na všechny nové příspěvky a témata budete upozorněni. Počet nových příspěvků se zobrazí vedle tématu."
|
||||
watched_categories_instructions: "Budete automaticky sledovat všechna nová témata v těchto kategoriích. Na všechny nové příspěvky budete upozorněni. Počet nových příspěvků se zobrazí vedle tématu."
|
||||
tracked_categories: "Sledované"
|
||||
tracked_categories_instructions: "Všechna nová témata v této kategorii budou automaticky hlídaná. Počet nových příspěvků se zobrazí vedle tématu."
|
||||
watched_first_post_categories: "Hlídané první příspěvky"
|
||||
watched_first_post_categories_instructions: "Budete informováni o prvním novém příspěvku v každém novém tématu vytvořeném v těchto kategoriích."
|
||||
muted_categories: "Ztišené"
|
||||
muted_categories_instructions: "Budeš přijímat upornění na nová témata v těchto kategoriích a ty se neobjeví v aktuálních."
|
||||
delete_account: "Smazat můj účet"
|
||||
@ -453,6 +526,8 @@ cs:
|
||||
muted_users: "Ztišení"
|
||||
muted_users_instructions: "Umlčet všechny notifikace od těchto uživatelů."
|
||||
muted_topics_link: "Ukázat utlumená témata"
|
||||
watched_topics_link: "Ukázat hlídaná témata"
|
||||
automatically_unpin_topics: "Atomaticky odepni téma jakmile se dostanu na konec."
|
||||
staff_counters:
|
||||
flags_given: "užitečná nahlášení"
|
||||
flagged_posts: "nahlášených příspěvků"
|
||||
@ -461,7 +536,15 @@ cs:
|
||||
warnings_received: "varování"
|
||||
messages:
|
||||
all: "Všechny"
|
||||
inbox: "Doručené"
|
||||
sent: "Odeslané"
|
||||
archive: "Archív"
|
||||
groups: "Moje skupiny"
|
||||
bulk_select: "Vybrat zprávy"
|
||||
move_to_inbox: "Přesunout do doručených"
|
||||
move_to_archive: "Archivovat"
|
||||
failed_to_move: "Nepodařilo se přesunout vybrané zprávy (možná vám spadlo připojení)"
|
||||
select_all: "Vybrat vše"
|
||||
change_password:
|
||||
success: "(email odeslán)"
|
||||
in_progress: "(odesílám)"
|
||||
@ -470,8 +553,10 @@ cs:
|
||||
set_password: "Nastavit heslo"
|
||||
change_about:
|
||||
title: "Změna o mně"
|
||||
error: "Došlo k chybě při pokusu změnit tuto hodnotu."
|
||||
change_username:
|
||||
title: "Změnit uživatelské jméno"
|
||||
confirm: "Pokud si změníte vaše uživatelské jméno, všechny přechozí citace vašich příspěvků a zmínky vašeho @jména budou rozbité. Jste si absolutně jistý, že chcete potvrdit toto operaci?"
|
||||
taken: "Toto uživatelské jméno je již zabrané."
|
||||
error: "Nastala chyba při změně uživatelského jména."
|
||||
invalid: "Uživatelské jméno je neplatné. Musí obsahovat pouze písmena a číslice."
|
||||
@ -544,11 +629,27 @@ cs:
|
||||
title: "User Card Badge"
|
||||
website: "Webová stránka"
|
||||
email_settings: "Emailová upozornění"
|
||||
like_notification_frequency:
|
||||
title: "Upozornit mě na \"to se mi líbí\""
|
||||
always: "Vždy"
|
||||
first_time_and_daily: "Po prvé a pak každý den"
|
||||
first_time: "Po prvé"
|
||||
never: "Nikdy"
|
||||
email_previous_replies:
|
||||
title: "Zahrnout předchozí reakce na konci emailů"
|
||||
unless_emailed: "pokud nebyli dříve odeslány"
|
||||
always: "vždy"
|
||||
never: "nikdy"
|
||||
email_digests:
|
||||
title: "Pokud tady dlouho nebudu, chci zasílat souhrnné emaily s populárními tématy a reakcemi"
|
||||
every_30_minutes: "každých 30 minut"
|
||||
every_hour: "každou hodinu"
|
||||
daily: "denně"
|
||||
every_three_days: "každé tři dny"
|
||||
weekly: "týdně"
|
||||
every_two_weeks: "každé dva týdny"
|
||||
include_tl0_in_digests: "Zahrnout obsah nových uživatelů v souhrnných emailech"
|
||||
email_in_reply_to: "Zahrnout v emailech úryvek příspěvku, na který je reagováno"
|
||||
email_direct: "Zašli mi email, pokud mě někde cituje, odpoví na můj příspěvek, zmíní mé @jméno nebo mě pozve do tématu."
|
||||
email_private_messages: "Zašli mi email, pokud mi někdo pošle zprávu."
|
||||
email_always: "Zašli mi upozornění emailem i když jsem aktivní na fóru"
|
||||
@ -596,7 +697,9 @@ cs:
|
||||
rescind: "Smazat"
|
||||
rescinded: "Pozvánka odstraněna"
|
||||
reinvite: "Znovu poslat pozvánku"
|
||||
reinvite_all: "Znovu poslat všechny pozvánky"
|
||||
reinvited: "Pozvánka byla opětovně odeslána."
|
||||
reinvited_all: "Všechny pozvánky byly opětovně odeslány!"
|
||||
time_read: "Čas čtení"
|
||||
days_visited: "Přítomen dnů"
|
||||
account_age_days: "Stáří účtu ve dnech"
|
||||
@ -617,6 +720,53 @@ cs:
|
||||
same_as_email: "Vaše heslo je stejné jako váš e-mail."
|
||||
ok: "Vaše heslo je v pořádku."
|
||||
instructions: "Alespo %{count} znaků."
|
||||
summary:
|
||||
title: "Souhrn"
|
||||
stats: "Statistiky"
|
||||
time_read: "načteno"
|
||||
topic_count:
|
||||
one: "téma vytvořeno"
|
||||
few: "témata vytvořena"
|
||||
other: "témat vytvořeno"
|
||||
post_count:
|
||||
one: "příspěvek vytvořen"
|
||||
few: "příspěvky vytvořeny"
|
||||
other: "příspěvků vytvořeno"
|
||||
likes_given:
|
||||
one: "<i class='fa fa-heart'></i> dán"
|
||||
few: "<i class='fa fa-heart'></i> dány"
|
||||
other: "<i class='fa fa-heart'></i> dáno"
|
||||
likes_received:
|
||||
one: "<i class='fa fa-heart'></i> obdržen"
|
||||
few: "<i class='fa fa-heart'></i> obdrženy"
|
||||
other: "<i class='fa fa-heart'></i> obdrženo"
|
||||
days_visited:
|
||||
one: "den navštíven"
|
||||
few: "dny navštíveno"
|
||||
other: "dní navštíveno"
|
||||
posts_read:
|
||||
one: "přečten příspěvek"
|
||||
few: "přečteny příspěvky"
|
||||
other: "přečteno příspěvků"
|
||||
bookmark_count:
|
||||
one: "záložka"
|
||||
few: "záložky"
|
||||
other: "záložek"
|
||||
top_replies: "Nejnovější příspěvky"
|
||||
no_replies: "Zatím žádné odpovědi."
|
||||
more_replies: "Více odpovědí"
|
||||
top_topics: "Nejnovější témata"
|
||||
no_topics: "Zatím žádné témata."
|
||||
more_topics: "Více témat"
|
||||
top_badges: "Nejnovější odznaky"
|
||||
no_badges: "Zatím žádné odznaky."
|
||||
more_badges: "Více odznaků"
|
||||
top_links: "Nejnovější odkazy"
|
||||
no_links: "Zatím žádné odkazy."
|
||||
most_liked_by: "Nejvíce \"to se mi líbí\" od uživatele"
|
||||
most_liked_users: "Nejvíce \"to se mi líbí\""
|
||||
most_replied_to_users: "Nejvíce odpovědí"
|
||||
no_likes: "Zatím žádné \"to se mi líbí\""
|
||||
associated_accounts: "Přihlášení"
|
||||
ip_address:
|
||||
title: "Poslední IP adresa"
|
||||
@ -659,7 +809,9 @@ cs:
|
||||
logout: "Byli jste odhlášeni."
|
||||
refresh: "Obnovit"
|
||||
read_only_mode:
|
||||
login_disabled: "Přihlášení je zakázáno jelikož fórum je v režimu jen pro čtení."
|
||||
enabled: "Tato stránka je v režimu jen pro čtení. Prosim pokračujte v prohlížení, ale odpovídání a ostatní operace jsou momentálně vypnuté."
|
||||
login_disabled: "Přihlášení je zakázáno jelikož je stránka v režimu jen pro čtení."
|
||||
logout_disabled: "Odhlášení je zakázáno zatímco je stránka v režimu jen pro čtení."
|
||||
learn_more: "více informací..."
|
||||
year: 'rok'
|
||||
year_desc: 'témata za posledních 365 dní'
|
||||
@ -697,6 +849,7 @@ cs:
|
||||
title: "Zpráva"
|
||||
invite: "pozvat účastníka"
|
||||
remove_allowed_user: "Určitě chcete odstranit {{name}} z této zprávy?"
|
||||
remove_allowed_group: "Opravdu chcete odstranit {{name}} z této zprávy?"
|
||||
email: 'Email'
|
||||
username: 'Uživatelské jméno'
|
||||
last_seen: 'Naposledy viděn'
|
||||
@ -744,31 +897,31 @@ cs:
|
||||
forgot: "Nevybavuju si podrobnosti svého účtu"
|
||||
google:
|
||||
title: "přes Google"
|
||||
message: "Autorizuji přes Google (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
message: "Autentizuji přes Google (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
google_oauth2:
|
||||
title: "přes Google"
|
||||
message: "Přihlašování přes Google (ujistěte se že nemáte zaplé blokování pop up oken)"
|
||||
twitter:
|
||||
title: "přes Twitter"
|
||||
message: "Autorizuji přes Twitter (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
message: "Autentizuji přes Twitter (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
instagram:
|
||||
title: "s Instagramem"
|
||||
message: "Autentizuji pres Instagram (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
facebook:
|
||||
title: "přes Facebook"
|
||||
message: "Autorizuji přes Facebook (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
message: "Autentizuji přes Facebook (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
yahoo:
|
||||
title: "přes Yahoo"
|
||||
message: "Autorizuji přes Yahoo (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
message: "Autentizuji přes Yahoo (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
github:
|
||||
title: "přes GitHub"
|
||||
message: "Autorizuji přes GitHub (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
apple_international: "Apple/Mezinárodní"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
message: "Autentizuji přes GitHub (ujistěte se, že nemáte zablokovaná popup okna)"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
alt: 'Alt'
|
||||
composer:
|
||||
emoji: "Smajlíky :)"
|
||||
more_emoji: "více..."
|
||||
options: "Možnosti"
|
||||
whisper: "šeptat"
|
||||
@ -780,7 +933,6 @@ cs:
|
||||
saved_local_draft_tip: "uloženo lokálně"
|
||||
similar_topics: "Podobná témata"
|
||||
drafts_offline: "koncepty offline"
|
||||
group_mentioned: "Použitím {{group}} upozorníš <a href='{{group_link}}'>{{count}} lidí</a>."
|
||||
error:
|
||||
title_missing: "Název musí být vyplněn"
|
||||
title_too_short: "Název musí být dlouhý alespoň {{min}} znaků"
|
||||
@ -818,10 +970,12 @@ cs:
|
||||
link_description: "sem vložte popis odkazu"
|
||||
link_dialog_title: "Vložit odkaz"
|
||||
link_optional_text: "volitelný popis"
|
||||
link_url_placeholder: "http://example.com"
|
||||
quote_title: "Bloková citace"
|
||||
quote_text: "Bloková citace"
|
||||
code_title: "Ukázka kódu"
|
||||
code_text: "odsadit předformátovaný text o 4 mezery"
|
||||
paste_code_text: "napište nebo vložte kód tady"
|
||||
upload_title: "Obrázek"
|
||||
upload_description: "sem vložek popis obrázku"
|
||||
olist_title: "Číslovaný seznam"
|
||||
@ -848,6 +1002,7 @@ cs:
|
||||
notifications:
|
||||
title: "oznámení o zmínkách pomocí @name, odpovědi na vaše příspěvky a témata, zprávy, atd."
|
||||
none: "Notifikace nebylo možné načíst."
|
||||
empty: "Žádné upozornění nenalezeny."
|
||||
more: "zobrazit starší oznámení"
|
||||
total_flagged: "celkem nahlášeno příspěvků"
|
||||
mentioned: "<i title='mentioned' class='fa fa-at'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
@ -861,7 +1016,6 @@ cs:
|
||||
invited_to_topic: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> přijal vaši pozvánku</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> přesunul {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Získáno '{{description}}'</p>"
|
||||
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 <b>1</b> téma."
|
||||
few: "Vybrali jste <b>{{count}}</b> témata."
|
||||
other: "Vybrali jste <b>{{count}}</b> 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 <strong class='badge badge-notification unread'>je</strong> 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: (<b>Vyžadováno</b>, 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: '<b>g</b>, <b>h</b> Domů'
|
||||
latest: '<b>g</b>, <b>l</b> Poslední'
|
||||
new: '<b>g</b>, <b>n</b> Nový'
|
||||
unread: '<b>g</b>, <b>u</b> Nepřečtěné'
|
||||
categories: '<b>g</b>, <b>c</b> Kategorie'
|
||||
top: '<b>g</b>, <b>t</b> Nahoru'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Záložky'
|
||||
profile: '<b>g</b>, <b>p</b> Profil'
|
||||
messages: '<b>g</b>, <b>m</b> Zprávy'
|
||||
navigation:
|
||||
title: 'Navigation'
|
||||
jump: '<b>#</b> Jdi na příspěvek #'
|
||||
back: '<b>u</b> Back'
|
||||
up_down: '<b>k</b>/<b>j</b> Move selection ↑ ↓'
|
||||
open: '<b>o</b> or <b>Enter</b> Open selected topic'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Následující/předchozí výběr'
|
||||
application:
|
||||
title: 'Application'
|
||||
create: '<b>c</b> Create a new topic'
|
||||
notifications: '<b>n</b> Open notifications'
|
||||
hamburger_menu: '<b>=</b> Otevře hamburgerové menu'
|
||||
user_profile_menu: '<b>p</b> Otevře uživatelské menu'
|
||||
show_incoming_updated_topics: '<b>.</b> Ukáže aktualizovaná témata'
|
||||
search: '<b>/</b> Search'
|
||||
help: '<b>?</b> Otevře seznam klávesových zkratek'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Dismiss New/Posts'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Dismiss Topics'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Odhlásit se'
|
||||
actions:
|
||||
title: 'Actions'
|
||||
bookmark_topic: '<b>f</b> Toggle bookmark topic'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Připnout/Odepnout téma'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Sdílet téma'
|
||||
share_post: '<b>s</b> Share post'
|
||||
reply_as_new_topic: '<b>t</b> Odpovědět v propojeném tématu'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Odpovědět na téma'
|
||||
reply_post: '<b>r</b> Odpovědět na příspěvek'
|
||||
quote_post: '<b>q</b> Citovat příspěvek'
|
||||
like: '<b>l</b> Like post'
|
||||
flag: '<b>!</b> Flag post'
|
||||
bookmark: '<b>b</b> Bookmark post'
|
||||
edit: '<b>e</b> Edit post'
|
||||
delete: '<b>d</b> Delete post'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Mute topic'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Regular (default) topic'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Track topic'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Jak začít?
|
||||
community:
|
||||
name: Komunita
|
||||
trust_level:
|
||||
name: Věrohodnost
|
||||
other:
|
||||
name: Ostatní
|
||||
posting:
|
||||
name: Přispívání
|
||||
|
||||
@ -235,8 +235,6 @@ da:
|
||||
undo: "Fortryd"
|
||||
revert: "Gendan"
|
||||
failed: "Fejlet"
|
||||
switch_to_anon: "Anonym tilstand"
|
||||
switch_from_anon: "Afbryd anonym tilstand"
|
||||
banner:
|
||||
close: "Afvis denne banner."
|
||||
edit: "Rediger dette banner >>"
|
||||
@ -428,7 +426,6 @@ da:
|
||||
disable: "Deaktiver notifikationer"
|
||||
enable: "Aktiver notifikationer"
|
||||
each_browser_note: "Bemærk: Du skal ændre indstillingen i alle dine browsere."
|
||||
dismiss_notifications: "Marker alle som læst"
|
||||
dismiss_notifications_tooltip: "Marker alle ulæste notifikationer som læst"
|
||||
disable_jump_reply: "Ikke hop til mit indlæg efter jeg svarer"
|
||||
dynamic_favicon: "Vis nyt / opdateret emnetal på browserikon"
|
||||
@ -444,9 +441,7 @@ da:
|
||||
suspended_reason: "Begrundelse: "
|
||||
github_profile: "Github"
|
||||
watched_categories: "Overvåget"
|
||||
watched_categories_instructions: "Du overvåger automatisk alle emner i disse kategorier. Du vil få en notifikation ved alle nye indlæg og emner, og antallet af ulæste og nye indlæg vil også stå ved siden af emnet."
|
||||
tracked_categories: "Fulgt"
|
||||
tracked_categories_instructions: "Du vil automatisk følge alle nye emner i disse kategorier. En optælling af nye indlæg vises ved emnet."
|
||||
muted_categories: "Ignoreret"
|
||||
muted_categories_instructions: "Du får ikke beskeder om nye emner i disse kategorier og de fremstår ikke i seneste."
|
||||
delete_account: "Slet min konto"
|
||||
@ -700,9 +695,6 @@ da:
|
||||
too_few_topics_and_posts_notice: "Lad os <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>få startet denne diskussion!</a> Der er i øjeblikket <strong>%{currentTopics} / %{requiredTopics}</strong> emner og <strong>%{currentPosts} / %{requiredPosts}</strong> indlæg. Nye besøgende har brug for samtaler at læse og svare på."
|
||||
too_few_topics_notice: "Lad os <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>få startet denne diskussion !</a> Der er i øjeblikket <strong>%{currentTopics} / %{requiredTopics}</strong> emner. Nye besøgende har brug for samtaler at læse og svare på."
|
||||
too_few_posts_notice: "Lad os <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>få startet denne diskussion !</a> Der er i øjeblikket <strong>%{currentPosts} / %{requiredPosts}</strong> indlæg. Nye besøgende har brug for samtaler at læse og svare på."
|
||||
logs_error_rate_notice:
|
||||
reached: "%{timestamp}: Aktuelle mængde på <a href='%{url}' target='_blank'>%{rate}</a> har nået websitets begrænsning på %{siteSettingRate}."
|
||||
exceeded: "%{timestamp}: Aktuelle mængde på <a href='%{url}' target='_blank'>%{rate}</a> har overskredet websitets begrænsning på %{siteSettingRate}."
|
||||
learn_more: "Læs mere…"
|
||||
year: 'år'
|
||||
year_desc: 'Indlæg oprettet i de seneste 365 dage'
|
||||
@ -807,10 +799,6 @@ da:
|
||||
github:
|
||||
title: "med GitHub"
|
||||
message: "Logger ind med GitHub (kontrollér at pop-op-blokering ikke er aktiv)"
|
||||
apple_international: "Apple/International"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Skift'
|
||||
ctrl: 'Ctrl'
|
||||
@ -828,7 +816,6 @@ da:
|
||||
saved_local_draft_tip: "gemt lokalt"
|
||||
similar_topics: "Dit emne minder om…"
|
||||
drafts_offline: "kladder offline"
|
||||
group_mentioned: "Ved at bruge {{group}} informerer du <a href='{{group_link}}'>{{count}} personer</a>."
|
||||
error:
|
||||
title_missing: "Titlen er påkrævet"
|
||||
title_too_short: "Titlen skal være på mindst {{min}} tegn"
|
||||
@ -911,7 +898,6 @@ da:
|
||||
invited_to_topic: "<i title='inviteret til emne' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepterede din invitation' class='fa fa-user'></i><p><span>{{username}}</span> accepted your invitation</p>"
|
||||
moved_post: "<i title='indlæg flyttet' class='fa fa-sign-out'></i><p><span>{{username}}</span> moved {{description}}</p>"
|
||||
linked: "<i title='indlæg linket' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge givet' class='fa fa-certificate'></i><p>Du blev tildelt '{{description}}'</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='beskeder i din gruppes indbakke' class='fa fa-group'></i><p> {{count}} besked i din {{group_name}} inbox</p>"
|
||||
@ -1197,8 +1183,6 @@ da:
|
||||
no_banner_exists: "Der er ikke noget banner-emne."
|
||||
banner_exists: "Der <strong class='badge badge-notification unread'>er</strong> 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: (<b>Påkrævet</b>, 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: '<b>g</b>, <b>h</b> Hjem'
|
||||
latest: '<b>g</b>, <b>l</b> Seneste'
|
||||
new: '<b>g</b>, <b>n</b> Nye'
|
||||
unread: '<b>g</b>, <b>u</b> Ulæste'
|
||||
categories: '<b>g</b>, <b>c</b> Kategorier'
|
||||
top: '<b>g</b>, <b>t</b> Top'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Bogmærker'
|
||||
profile: '<b>g</b>, <b>p</b> Profil'
|
||||
messages: '<b>g</b>, <b>m</b> Beskeder'
|
||||
navigation:
|
||||
title: 'Navigation'
|
||||
jump: '<b>#</b> Gå til indlæg #'
|
||||
back: '<b>u</b> Tilbage'
|
||||
up_down: '<b>k</b>/<b>j</b> Flyt valgte ↑ ↓'
|
||||
open: '<b>o</b> eller <b>Enter</b> Åbn det valgte emne'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Næste/forrige sektion'
|
||||
application:
|
||||
title: 'Applikation'
|
||||
create: '<b>c</b> Opret et nyt emne'
|
||||
notifications: '<b>n</b> Åbn notifikationer'
|
||||
hamburger_menu: '<b>=</b> Åbn i hamburgermenu'
|
||||
user_profile_menu: '<b>p</b> Åben bruger menu'
|
||||
show_incoming_updated_topics: '<b>.</b> Vis opdaterede emner'
|
||||
search: '<b>/</b> Søg'
|
||||
help: '<b>?</b> Åben keyboard hjælp'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Afvis alle Nye/Indlæg'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Afvis emner'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Log ud'
|
||||
actions:
|
||||
title: 'Handlinger'
|
||||
bookmark_topic: '<b>f</b> Sæt bogmærke i emne'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Fastgør / Frigør emne'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Del emne'
|
||||
share_post: '<b>s</b> Del opslag'
|
||||
reply_as_new_topic: '<b>t</b> Svar med et linket emne'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Besvar emne'
|
||||
reply_post: '<b>r</b> Svar på kommentaren'
|
||||
quote_post: '<b>q</b> Citer emne'
|
||||
like: '<b>l</b> Like indlæg'
|
||||
flag: '<b>!</b> Flag indlæg'
|
||||
bookmark: '<b>b</b> Bogmærk indlæg'
|
||||
edit: '<b>e</b> Redigér indlæg'
|
||||
delete: '<b>d</b> Slet indlæg'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Lydløst emne'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Almindelig (stardard) emne'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Følg emne'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Kom igang
|
||||
community:
|
||||
name: Fælleskab
|
||||
trust_level:
|
||||
name: Tillidsniveau
|
||||
other:
|
||||
name: Andre
|
||||
posting:
|
||||
name: Indlæg
|
||||
google_search: |
|
||||
<h3>Søg med Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
|
||||
@ -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: "<b>[%{relativeAge}]</b> Aktuelle Rate von <a href='%{url}' target='_blank'>%{rate}</a> hat die eingestellte Grenze der Seite von %{siteSettingRate} erreicht."
|
||||
exceeded: "<b>[%{relativeAge}]</b> Aktuelle Rate vpm <a href='%{url}' target='_blank'>%{rate}</a> 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: "<i title='erwähnt' class='fa fa-at'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
@ -988,6 +1013,7 @@ de:
|
||||
moved_post: "<i title='Beitrag verschoben' class='fa fa-sign-out'></i><p><span>{{username}}</span> hat {{description}} verschoben</p>"
|
||||
linked: "<i title='linked post' class='fa fa-link'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='Abzeichen verliehen' class='fa fa-certificate'></i><p>Abzeichen '{{description}}' erhalten</p>"
|
||||
watching_first_post: "<i title='new topic' class='fa fa-dot-circle-o'></i><p><span>Neues Thema</span> {{description}}</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='messages in group inbox' class='fa fa-group'></i><p> Eine Nachricht in deinem {{group_name}} Postfach</p>"
|
||||
other: "<i title='messages in group inbox' class='fa fa-group'></i><p> {{count}} Nachrichten in deinem {{group_name}} Postfach</p>"
|
||||
@ -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 <b>{{count}}</b> 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: |
|
||||
<h3>Mit Google suchen</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
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."
|
||||
|
||||
@ -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 <b>{{count}}</b> 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"
|
||||
|
||||
@ -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: "<i title='mentioned' class='fa fa-at'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
@ -988,6 +1013,7 @@ es:
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> movió {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-link'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Se te ha concedido '{{description}}'</p>"
|
||||
watching_first_post: "<i title='new topic' class='fa fa-dot-circle-o'></i><p><span>Nuevo Tema</span> {{description}}</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='mensaje en tu bandeja de grupo' class='fa fa-group'></i><p> {{count}} mensaje en la bandeja del grupo {{group_name}}</p>"
|
||||
other: "<i title='mensajes en tu bandeja de grupo' class='fa fa-group'></i><p> {{count}} mensajes en la bandeja del grupo {{group_name}}</p>"
|
||||
@ -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 <b>{{count}}</b> 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: |
|
||||
<h3>Buscar con Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
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: '<b>g</b>, <b>h</b> Inicio'
|
||||
latest: '<b>g</b>, <b>l</b> Recientes'
|
||||
new: '<b>g</b>, <b>n</b> Nuevos'
|
||||
unread: '<b>g</b>, <b>u</b> No leídos'
|
||||
categories: '<b>g</b>, <b>c</b> Categorías'
|
||||
top: '<b>g</b>, <b>t</b> Arriba'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Marcadores'
|
||||
profile: '<b>g</b>, <b>p</b> Perfil'
|
||||
messages: '<b>g</b>, <b>m</b> Mensajes'
|
||||
navigation:
|
||||
title: 'Navegación'
|
||||
jump: '<b>#</b> Ir al post #'
|
||||
back: '<b>u</b> Atrás'
|
||||
up_down: '<b>k</b>/<b>j</b> Desplazar selección ↑ ↓'
|
||||
open: '<b>o</b> or <b>Entrar</b> Abrir tema seleccionado'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Siguiente/anterior sección'
|
||||
application:
|
||||
title: 'Aplicación'
|
||||
create: '<b>c</b> Crear un tema nuevo'
|
||||
notifications: '<b>n</b> Abrir notificaciones'
|
||||
hamburger_menu: '<b>=</b> Abrir Menú'
|
||||
user_profile_menu: '<b>p</b> Abrir menú de usuario'
|
||||
show_incoming_updated_topics: '<b>.</b> Mostrar temas actualizados'
|
||||
search: '<b>/</b> Buscar'
|
||||
help: '<b>?</b> Abrir la guía de atajos de teclado'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Descartar Nuevo/Posts'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Descartar Temas'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Cerrar sesión'
|
||||
actions:
|
||||
title: 'Acciones'
|
||||
bookmark_topic: '<b>f</b> Guardar/Quitar el tema de marcadores'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Seleccionar/Deseleccionar como destacado'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Compartir tema'
|
||||
share_post: '<b>s</b> Compartir post'
|
||||
reply_as_new_topic: '<b>t</b> Responder como un tema enlazado.'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Responder al tema'
|
||||
reply_post: '<b>r</b> Responder al post'
|
||||
quote_post: '<b>q</b> Citar post'
|
||||
like: '<b>l</b> Me gusta el post'
|
||||
flag: '<b>!</b> Reportar post'
|
||||
bookmark: '<b>b</b> Marcar post'
|
||||
edit: '<b>e</b> Editar post'
|
||||
delete: '<b>d</b> Borrar post'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Silenciar tema'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Marcar este tema como normal (por defecto)'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Seguir tema'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Primeros pasos
|
||||
community:
|
||||
name: Comunidad
|
||||
trust_level:
|
||||
name: Nivel de confianza
|
||||
other:
|
||||
name: Miscelánea
|
||||
posting:
|
||||
name: Escritura
|
||||
google_search: |
|
||||
<h3>Buscar con Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
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."
|
||||
|
||||
@ -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 <br/>LT"
|
||||
long_date_with_year_with_linebreak: "D. MMMM, 'YY <br/>LT"
|
||||
wrap_ago: "%{date} tagasi"
|
||||
tiny:
|
||||
half_a_minute: "< 1m"
|
||||
less_than_x_seconds:
|
||||
@ -111,9 +113,13 @@ et:
|
||||
google+: 'jaga seda viidet Google-plussis'
|
||||
email: 'Jaga viidet meiliga'
|
||||
action_codes:
|
||||
public_topic: "muutsin selle teema avalikuks %{when}"
|
||||
private_topic: "muutsin selle teema privaatseks %{when}"
|
||||
split_topic: "poolita teema %{when} juurest"
|
||||
invited_user: "kutsutud %{who} %{when}"
|
||||
invited_group: "kutsusin %{who} %{when}"
|
||||
removed_user: "kõrvaldatud %{who} %{when}"
|
||||
removed_group: "kõrvaldasin %{who} %{when}"
|
||||
autoclosed:
|
||||
enabled: 'suletud %{when}'
|
||||
disabled: 'avatud %{when}'
|
||||
@ -134,6 +140,8 @@ et:
|
||||
disabled: 'eemaldatud %{when}'
|
||||
topic_admin_menu: "teema admintegevused"
|
||||
emails_are_disabled: "Kõik väljuvad meilid on administraatori poolt blokeeritud. Ühtegi teavitust meili teel ei saadeta."
|
||||
bootstrap_mode_enabled: "Oma uue saidi lansseerimise hõlbustamiseks oled käivitusrežiimil. Kõik uued kasutajad saavad usaldustaseme 1 ja nende igapäevased kokkuvõtvad teavitused meili teel on aktiveeritud. See lülitub automaatselt välja kui kasutajate koguarv ületab %{min_users} piiri."
|
||||
bootstrap_mode_disabled: "Käivitusrežiim lülitub välja järgmise 24 tunni jooksul."
|
||||
s3:
|
||||
regions:
|
||||
us_east_1: "US Ida (N. Virginia)"
|
||||
@ -144,9 +152,11 @@ et:
|
||||
eu_central_1: "EL (Frankfurt)"
|
||||
ap_southeast_1: "Aasia ja Vaikne ookean (Singapur)"
|
||||
ap_southeast_2: "Aasia ja Vaikne ookean (Sydney)"
|
||||
ap_south_1: "Aasia ja Vaikse Ookeani (Mumbai)"
|
||||
ap_northeast_1: "Aasia ja Vaikne ookean (Tokyo)"
|
||||
ap_northeast_2: "Aasia ja Vaikne ookean (Seoul)"
|
||||
sa_east_1: "Lõuna-Ameerika (Sao Paulo)"
|
||||
cn_north_1: "Hiina (Beijing)"
|
||||
edit: 'muuda teema pealkirja ja liiki'
|
||||
not_implemented: "Seda omadust pole veel rakendatud, vabandame!"
|
||||
no_value: "Ei"
|
||||
@ -247,7 +257,7 @@ et:
|
||||
undo: "Ennista"
|
||||
revert: "Võta tagasi"
|
||||
failed: "Ebaõnnestus"
|
||||
switch_to_anon: "Anonüümne režiim"
|
||||
switch_to_anon: "Sisene anonüümsesse režiimi"
|
||||
switch_from_anon: "Välju anonüümsest režiimist"
|
||||
banner:
|
||||
close: "Sulge see bänner."
|
||||
@ -298,6 +308,8 @@ et:
|
||||
title: "Kasutajad"
|
||||
likes_given: "Antud"
|
||||
likes_received: "Saadud"
|
||||
topics_entered: "Vaadatud"
|
||||
topics_entered_long: "Vaadatud teemasid"
|
||||
time_read: "Lugemisele kulutatud aeg"
|
||||
topic_count: "Teemad"
|
||||
topic_count_long: "Teemasid loodud"
|
||||
@ -322,6 +334,7 @@ et:
|
||||
selector_placeholder: "Lisa liikmeid"
|
||||
owner: "omanik"
|
||||
visible: "Grupp on kõigile kasutajatele nähtav."
|
||||
index: "Grupid"
|
||||
title:
|
||||
one: "grupp"
|
||||
other: "grupid"
|
||||
@ -344,6 +357,9 @@ et:
|
||||
watching:
|
||||
title: "Vaatlen"
|
||||
description: "Sind teavitatakse igast uuest postitusest. Ühtlasi kuvatakse uute vastuste arv."
|
||||
watching_first_post:
|
||||
title: "Vaatan esimest postitust"
|
||||
description: "Sind teavitatakse vaid esimesest postitusest igas uues teemas selles grupis."
|
||||
tracking:
|
||||
title: "Jälgin"
|
||||
description: "Sind teavitatakse, kui keegi sinu @name mainib või sulle vastab. Ühtlasi kuvatakse uute vastuste arv."
|
||||
@ -438,7 +454,7 @@ et:
|
||||
disable: "Keela teavitused"
|
||||
enable: "Luba teavitused"
|
||||
each_browser_note: "Märkus: see säte tuleb muuta igas kasutusel olevas brauseris."
|
||||
dismiss_notifications: "Märgi kõik loetuks"
|
||||
dismiss_notifications: "Lükka kõik tagasi"
|
||||
dismiss_notifications_tooltip: "Märgi kõik lugemata teavitused loetuks"
|
||||
disable_jump_reply: "Ära hüppa minu postitusse peale vastamist"
|
||||
dynamic_favicon: "Kuva uute / muudetud teemade arvu brauseri ikoonil"
|
||||
@ -453,10 +469,31 @@ et:
|
||||
suspended_notice: "Selle kasutaja ligipääs on ajutiselt peatatud kuni {{date}}."
|
||||
suspended_reason: "Põhjus:"
|
||||
github_profile: "Github"
|
||||
email_activity_summary: "Tegevuste kokkuvõte"
|
||||
mailing_list_mode:
|
||||
label: "Postiloendi režiim"
|
||||
enabled: "Lülita postiloendi režiim sisse"
|
||||
instructions: |
|
||||
See säte tõrjub tegevuste kokkuvõtte välja.<br />
|
||||
Vaigistatud teemad ja foorumid ei kajastu nendes meilides.
|
||||
daily: "Saada igapäevased kokkuvõtted"
|
||||
individual: "Saada meil iga uue postituse kohta"
|
||||
many_per_day: "Saada mulle meil iga uue postituse kohta (umbes {{dailyEmailEstimate}} meili päevas)"
|
||||
few_per_day: "Saada mulle meil iga uue postituse kohta (umbes 2 meili päevas)"
|
||||
tag_settings: "Sildid"
|
||||
watched_tags: "Vaadatud"
|
||||
watched_tags_instructions: "Sa vaatled kõiki nende siltidega uusi teemasid automaatselt. Sind teavitatakse kõigist uutest postitustest ja teemadest, koos uute postituste arvuga teema pealkirja kõrval."
|
||||
tracked_tags: "Jälgitud"
|
||||
tracked_tags_instructions: "Sa jälgid kõiki nende siltidega uusi teemasid automaatselt. Uute postituste arv on näha teema pealkirja kõrval."
|
||||
muted_tags: "Vaigistatud"
|
||||
muted_tags_instructions: "Sind ei teavitata ühestki uuest nende siltidega teemast, samuti ei ilmu nad viimaste teemade alla."
|
||||
watched_categories: "Vaadeldav"
|
||||
watched_categories_instructions: "Sa vaatled nendes liikides kõiki uusi teemasid automaatselt. Sind teavitatakse kõigist uutest postitustest ja teemadest, koos uute postituste arvuga teema pealkirja kõrval."
|
||||
watched_categories_instructions: "Sa vaatled nendes foorumites kõiki teemasid automaatselt. Sind teavitatakse igast uuest postitusest ja teemast, koos uute postituste arvuga teema pealkirja kõrval."
|
||||
tracked_categories: "Jälgitud"
|
||||
tracked_categories_instructions: "Sa jälgid nendes liikides kõiki uusi teemasid. Uute postituste arv on näha teema pealkirja kõrval."
|
||||
tracked_categories_instructions: "Sa jälgid kõiki uusi teemasid nendes foorumites automaatselt. Lugemata ja uute postituste arv on näha teema pealkirja kõrval."
|
||||
watched_first_post_categories: "Vaatan esimest postitust"
|
||||
watched_first_post_tags: "Vaatan esimest postitust"
|
||||
watched_first_post_tags_instructions: "Sind teavitatakse esimesest postitusest igas nende siltidega uues teemas."
|
||||
muted_categories: "Vaigistatud"
|
||||
muted_categories_instructions: "Sind ei teavitata ühestki uuest teemast nendes liikides, samuti ei ilmu nad viimaste teemade alla."
|
||||
delete_account: "Kustuta minu konto"
|
||||
@ -469,6 +506,7 @@ et:
|
||||
muted_users: "Vaigistatud"
|
||||
muted_users_instructions: "Summuta kõik teavitused nendelt kasutajatelt."
|
||||
muted_topics_link: "Näita vaigistatud teemasid"
|
||||
watched_topics_link: "Näita vaatlusaluseid teemasid"
|
||||
automatically_unpin_topics: "Eemalda lõppu jõudmisel teemadelt automaatselt esiletõstmise märgistus."
|
||||
staff_counters:
|
||||
flags_given: "kasulikud tähised"
|
||||
@ -498,7 +536,6 @@ et:
|
||||
error: "Välja muutmisel tekkis viga."
|
||||
change_username:
|
||||
title: "Muuda kasutajanime"
|
||||
confirm: "Muutes oma kasutajanime katkevad kõik varasemad sinu postituste tsitaadid ja @name mainimised. Oled täiesti kindel, et soovid seda?"
|
||||
taken: "Vabandust, see kasutajanimi on võetud."
|
||||
error: "Kasutajanime muutmisel tekkis tõrge."
|
||||
invalid: "Selline kasutajanimi ei ole lubatud. Kasutada tohib ainult numbreid ja tähti"
|
||||
@ -582,23 +619,18 @@ et:
|
||||
always: "alati"
|
||||
never: "mitte kunagi"
|
||||
email_digests:
|
||||
title: "Kui ma siin ei käi, saada mulle meil uudiste kokkuvõttega:"
|
||||
every_30_minutes: "iga pooltund"
|
||||
every_hour: "iga tund"
|
||||
daily: "igapäevaselt"
|
||||
every_three_days: "iga kolme päeva tagant"
|
||||
weekly: "iga nädal"
|
||||
every_two_weeks: "iga kahe nädala tagant"
|
||||
include_tl0_in_digests: "Lisa uute kasutajate postitused koond e-posti"
|
||||
email_in_reply_to: "Lisa e-kirjale katkend eelmisest vastusest"
|
||||
email_direct: "Teavita mind, kui keegi tsiteerib minu postitust, vastab minu postitusele, mainib minu @kasutajanime või kutsub mind teemaga liituma"
|
||||
email_private_messages: "Saada meilile teavitus, kui minuga kontakteerutakse sõnumi teel"
|
||||
email_always: "Saada mulle teavitused meilile, isegi kui ma olen siin aktiivne kasutaja"
|
||||
other_settings: "Muu"
|
||||
categories_settings: "Liigid"
|
||||
enable_mailing_list:
|
||||
one: "Oled Sa kindel, et soovid meili iga uue postituse kohta?"
|
||||
other: "Oled Sa kindel, et soovid meili iga uue postituse kohta?<br><br>See tekitaks umbes <b>{{count}} meili</b> päevas."
|
||||
new_topic_duration:
|
||||
label: "Loe teemad uuteks, kui"
|
||||
not_viewed: "Ma ei ole neid veel vaadanud"
|
||||
@ -735,8 +767,6 @@ et:
|
||||
too_few_topics_notice: "Tõmbame <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>selle vestluse käima!</a> Hetkel on tehtud <strong>%{currentTopics} / %{requiredTopics}</strong> teemat. Uued külastajad vajavad vestlusi, milles osaleda."
|
||||
too_few_posts_notice: "Tõmbame <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>selle vestluse käima!</a> Hetkel on tehtud <strong>%{currentPosts} / %{requiredPosts}</strong> postitust. Uued külastajad vajavad vestlusi, milles osaleda."
|
||||
logs_error_rate_notice:
|
||||
reached: "%{timestamp}: Current rate of <a href='%{url}' target='_blank'>%{rate}</a> has reached site settings's limit of %{siteSettingRate}."
|
||||
exceeded: "%{timestamp}: Hetke sagedus <a href='%{url}' target='_blank'>%{rate}</a> ületab saidi sätetes kehtestatud limiidi %{siteSettingRate}."
|
||||
rate:
|
||||
one: "1 viga/%{duration}"
|
||||
other: "%{count} viga/%{duration}"
|
||||
@ -844,10 +874,6 @@ et:
|
||||
github:
|
||||
title: "GitHub abil"
|
||||
message: "Autentimine GitHub abil (veendu, et hüpikaknad oleks lubatud)"
|
||||
apple_international: "Apple/International"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
@ -865,7 +891,6 @@ et:
|
||||
saved_local_draft_tip: "salvestatud lokaalselt"
|
||||
similar_topics: "Sinu teema sarnaneb..."
|
||||
drafts_offline: "mustandid vallasrežiimis"
|
||||
group_mentioned: "Kasutades gruppi {{group}}, oled teavitamas <a href='{{group_link}}'>{{count}} inimest</a>."
|
||||
error:
|
||||
title_missing: "Pealkiri on kohustuslik"
|
||||
title_too_short: "Pealkiri peab olema vähemalt {{min}} sümbolit pikk"
|
||||
@ -952,7 +977,6 @@ et:
|
||||
invited_to_topic: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> võttis Sinu kutse vastu</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> liigutas {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Teenisid '{{description}}'</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='messages in group inbox' class='fa fa-group'></i><p> {{count}} sõnum Sinu {{group_name}} postkastis</p>"
|
||||
@ -1041,6 +1065,9 @@ et:
|
||||
selected:
|
||||
one: "Märkisid ära <b>1</b> teema."
|
||||
other: "Märkisid ära <b>{{count}}</b> 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 <strong class='badge badge-notification unread'>on</strong> ü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: (<b>Nõutud</b>, 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: '<b>g</b>, <b>h</b> Avaleht'
|
||||
latest: '<b>g</b>, <b>l</b> Viimased'
|
||||
new: '<b>g</b>, <b>n</b> Uus'
|
||||
unread: '<b>g</b>, <b>u</b> Lugemata'
|
||||
categories: '<b>g</b>, <b>c</b> Liigid'
|
||||
top: '<b>g</b>, <b>t</b> Üles'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Järjehoidjad'
|
||||
profile: '<b>g</b>, <b>p</b> Profiil'
|
||||
messages: '<b>g</b>, <b>m</b> Sõnumid'
|
||||
navigation:
|
||||
title: 'Navigatsioon'
|
||||
jump: '<b>#</b> Mine postitusse #'
|
||||
back: '<b>u</b> Tagasi'
|
||||
up_down: '<b>k</b>/<b>j</b> Liiguta valitut ↑ ↓'
|
||||
open: '<b>o</b> or <b>Enter</b> Ava valitud teema'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Järgmine/eelmine sektsioon'
|
||||
application:
|
||||
title: 'Rakendus'
|
||||
create: '<b>c</b> Loo uus teema'
|
||||
notifications: '<b>n</b> Ava teavitused'
|
||||
hamburger_menu: '<b>=</b> Ava rippmenüü'
|
||||
user_profile_menu: '<b>p</b> Ava kasutajamenüü'
|
||||
show_incoming_updated_topics: '<b>.</b> Näita uuendatud teemasid'
|
||||
search: '<b>/</b> Otsi'
|
||||
help: '<b>?</b> Ava klaviatuuri abimenüü'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Lükka Uued/Postitused tagasi'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Lükka teemad tagasi'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Logi välja'
|
||||
actions:
|
||||
title: 'Tegevused'
|
||||
bookmark_topic: '<b>f</b> Lülita postituse järjehoidja sisse/välja
|
||||
|
||||
'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Kinnita/Vabasta teema'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Jaga teemat'
|
||||
share_post: '<b>s</b> Jaga postitust'
|
||||
reply_as_new_topic: '<b>t</b> Vasta viidates teemale'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Vasta teemale'
|
||||
reply_post: '<b>r</b> Vasta postitusele'
|
||||
quote_post: '<b>q</b> Tsiteeri postitust'
|
||||
like: '<b>l</b> Märgi postitus meeldivaks'
|
||||
flag: '<b>!</b> Tähista postitus'
|
||||
bookmark: '<b>b</b> Pane postitusele järjehoidja'
|
||||
edit: '<b>e</b> Muuda postitust'
|
||||
delete: '<b>d</b> Kustuta postitus'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Vaigista teema'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Tavaline teema'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> 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: "<pole ühtegi>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Alustamine
|
||||
community:
|
||||
name: Kogukond
|
||||
trust_level:
|
||||
name: Usaldustase
|
||||
other:
|
||||
name: Muu
|
||||
posting:
|
||||
name: Postitan
|
||||
google_search: |
|
||||
<h3>Otsi Google abil</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
tagging:
|
||||
sort_by_name: "nimi"
|
||||
topics:
|
||||
bottom:
|
||||
unread: "Lugemata teemasid rohkem ei ole"
|
||||
|
||||
@ -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}}, شما اگاه میکنید <a href='{{group_link}}'>{{count}} اشخاص</a>."
|
||||
error:
|
||||
title_missing: "سرنویس الزامی است"
|
||||
title_too_short: "سرنویس دستکم باید {{min}} نویسه باشد"
|
||||
@ -830,7 +820,6 @@ fa_IR:
|
||||
invited_to_topic: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> accepted your invitation</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> moved {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Earned '{{description}}'</p>"
|
||||
alt:
|
||||
mentioned: "اشاره شده توسط"
|
||||
@ -1096,8 +1085,6 @@ fa_IR:
|
||||
no_banner_exists: "هیچ مبحث سرصفحه ای وجود ندارد."
|
||||
banner_exists: "یک مبحث سرصفحه ای <strong class='badge badge-notification unread'> هست </strong> در حال حاضر."
|
||||
inviting: "فراخوانی..."
|
||||
automatically_add_to_groups_optional: "این دعوتنامه دارای دسترسی به این گروه ها است : (اختیاری٬ فقط ادمین)"
|
||||
automatically_add_to_groups_required: "این دعوتنامه دارای دسترسی به این گروه ها است : (<b>Required</b>, 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: '<b>g</b>, <b>h</b> خانه'
|
||||
latest: '<b>g</b>, <b>l</b>آخرین'
|
||||
new: '<b>g</b>, <b>n</b> جدید'
|
||||
unread: '<b>g</b>, <b>u</b> خوانده نشده'
|
||||
categories: '<b>g</b>, <b>c</b> دسته بندی ها'
|
||||
top: '<b>g</b>, <b>t</b> بالا ترین'
|
||||
bookmarks: '<b>g</b>, <b>h</b> نشانکها'
|
||||
profile: '<b>g</b>, <b>p</b> پروفایل'
|
||||
messages: '<b>g</b>, <b>m</b> پیام ها'
|
||||
navigation:
|
||||
title: 'راهبری'
|
||||
jump: '<b>#</b> رفتن به نوشته #'
|
||||
back: 'برگشت'
|
||||
up_down: '<b>k</b>/<b>j</b> انتقال انتخاب شده ↑ ↓'
|
||||
open: '<b>o</b> or <b>Enter</b> باز کردن موضوع انتخاب شده'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> بخش قبلی/بعدی'
|
||||
application:
|
||||
title: 'نرمافزار'
|
||||
create: '<b>c</b> ساختن یک موضوع جدید'
|
||||
notifications: '<b>n</b> باز کردن آگاهسازیها'
|
||||
hamburger_menu: '<b>=</b> باز کردن منوی همبرگری'
|
||||
user_profile_menu: '<b>p</b> باز کردن منوی کاربران'
|
||||
show_incoming_updated_topics: '<b>.</b> نمایش موضوعات بروز شده'
|
||||
search: '<b>/</b> جستجو'
|
||||
help: '<b>?</b> باز کردن راهنمای کیبورد'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b>بستن جدید/نوشته ها '
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> بستن موضوعات'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> خروج'
|
||||
actions:
|
||||
title: 'اقدامات'
|
||||
bookmark_topic: '<b>f</b> تعویض نشانک موضوع'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> سنجاق /لغو سنجاق موضوع'
|
||||
share_topic: '<b>shift</b>+<b>s</b> اشتراک گذاری نوشته'
|
||||
share_post: 'به اشتراکگذاری نوشته'
|
||||
reply_as_new_topic: '<b>t</b> پاسخگویی به عنوان یک موضوع لینک شده'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> پاسخ به موضوع'
|
||||
reply_post: '<b>r</b> پاسخ به نوشته'
|
||||
quote_post: 'نقلقول نوشته'
|
||||
like: '<b>l</b> پسندیدن نوشته'
|
||||
flag: '<b>!</b> پرچمگذاری نوشته'
|
||||
bookmark: '<b>b</b> نشانکگذاری نوشته'
|
||||
edit: '<b>e</b> ویرایش نوشته'
|
||||
delete: '<b>d</b> پاک کردن نوشته'
|
||||
mark_muted: '<b>m</b>, <b>m</b> بی صدا کردن موضوع'
|
||||
mark_regular: '<b>m</b>, <b>r</b> تنظیم ( پیش فرض) موضوع'
|
||||
mark_tracking: 'b>m</b>, <b>t</b> پیگری جستار'
|
||||
mark_watching: '<b>m</b>, <b>w</b> مشاهده موضوع'
|
||||
badges:
|
||||
title: مدالها
|
||||
badge_count:
|
||||
other: "%{count} مدال"
|
||||
more_badges:
|
||||
other: "+%{count} بیشتر"
|
||||
granted:
|
||||
other: "%{count} اعطا شد"
|
||||
select_badge_for_title: انتخاب یک مدال برای استفاده در عنوان خود
|
||||
none: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: شروع
|
||||
community:
|
||||
name: انجمن
|
||||
trust_level:
|
||||
name: سطح اعتماد
|
||||
other:
|
||||
name: دیگر
|
||||
posting:
|
||||
name: در حال نوشتن
|
||||
google_search: |
|
||||
<h3>جستجو با گوگل</h3>
|
||||
|
||||
<p>
|
||||
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
|
||||
<input type="text" id='user-query' value="">
|
||||
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
|
||||
<button class="btn btn-primary">گوگل</button>
|
||||
|
||||
</form>
|
||||
|
||||
</p>
|
||||
|
||||
@ -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 <b>%{username}</b>? 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 <strong>1</strong> odottava viesti."
|
||||
other: "Sinulla on <strong>{{count}}</strong> 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.<br />
|
||||
Vaimennettujen ketjujen ja alueiden viestejä ei sisällytetä sähköposteihin.
|
||||
|
||||
daily: "Lähetä päivittäin"
|
||||
individual: "Lähetä sähköpostia jokaisesta uudesta viestistä"
|
||||
many_per_day: "Lähetä sähköpostia jokaisesta uudesta viestistä (noin {{dailyEmailEstimate}} päivässä)."
|
||||
few_per_day: "Lähetä sähköpostia jokaisesta uudesta viestistä (alle 2 päivässä)."
|
||||
many_per_day: "Lähetä minulle sähköpostia jokaisesta uudesta viestistä (noin {{dailyEmailEstimate}} päivässä)"
|
||||
few_per_day: "Lähetä minulle sähköpostia jokaisesta uudesta viestistä (noin 2 päivässä)"
|
||||
tag_settings: "Tunnisteet"
|
||||
watched_tags: "Tarkkailtavat"
|
||||
watched_tags_instructions: "Ketjut joilla on joku näistä tunnisteista asetetaan automaattisesti tarkkailuun. Saat ilmoituksen kaikista uusista viesteistä ja ketjuista, ja uusien viestien lukumäärä näytetään ketjun otsikon vieressä. "
|
||||
tracked_tags: "Seurattavat"
|
||||
tracked_tags_instructions: "Ketjut, joilla on joku näistä tunnisteista, asetetaan automaattisesti seurantaan. Uusien viestien lukumäärä näytetään ketjun otsikon vieressä. "
|
||||
muted_tags: "Vaimennettavat"
|
||||
muted_tags_instructions: "Et saa ilmoituksia ketjuista, joilla on joku näistä tunnisteista, eivätkä ne näy tuoreimmissa."
|
||||
watched_categories: "Tarkkaillut"
|
||||
watched_categories_instructions: "Näiden alueiden kaikki uudet ketjut asetetaan automaattisesti tarkkailuun. Saat ilmoituksen kaikista uusista viesteistä ja ketjuista ja uusien viestien lukumäärä näytetään ketjun otsikon vieressä. "
|
||||
watched_categories_instructions: "Näiden alueiden kaikki uudet ketjut asetetaan automaattisesti tarkkailuun. Saat ilmoituksen kaikista uusista viesteistä ja ketjuista, ja uusien viestien lukumäärä näytetään ketjun otsikon vieressä. "
|
||||
tracked_categories: "Seuratut"
|
||||
tracked_categories_instructions: "Näiden alueiden kaikki uudet ketjut asetetaan automaattisesti seurantaan. Uusien viestien lukumäärä näytetään ketjun otsikon vieressä."
|
||||
tracked_categories_instructions: "Näiden alueiden ketjut asetetaan automaattisesti seurantaan. Uusien viestien lukumäärä näytetään ketjun yhteydessä."
|
||||
watched_first_post_categories: "Tarkkaillaan uusia ketjuja"
|
||||
watched_first_post_categories_instructions: "Saat ilmoituksen näiden alueiden ketjujen ensimmäisistä viesteistä."
|
||||
watched_first_post_tags: "Tarkkaillaan uusia ketjuja"
|
||||
watched_first_post_tags_instructions: "Saat ilmoituksen uusista ketjuista, joilla on joku näistä tunnisteista."
|
||||
muted_categories: "Vaimennetut"
|
||||
muted_categories_instructions: "Et saa imoituksia uusista viesteistä näillä alueilla, eivätkä ne näy tuoreimmissa."
|
||||
delete_account: "Poista tilini"
|
||||
@ -489,6 +508,7 @@ fi:
|
||||
muted_users: "Vaimennetut"
|
||||
muted_users_instructions: "Älä näytä ilmoituksia näiltä käyttäjiltä"
|
||||
muted_topics_link: "Näytä vaimennetut ketjut"
|
||||
watched_topics_link: "Näytä tarkkaillut ketjut"
|
||||
automatically_unpin_topics: "Poista kiinnitetyn ketjun kiinnitys automaattisesti, kun olen selannut sen loppuun."
|
||||
staff_counters:
|
||||
flags_given: "hyödyllistä liputusta"
|
||||
@ -518,7 +538,7 @@ fi:
|
||||
error: "Arvon muuttamisessa tapahtui virhe."
|
||||
change_username:
|
||||
title: "Vaihda käyttäjätunnus"
|
||||
confirm: "Jos vaihdat käyttäjätunnustasi, kaikki tähän astiset lainaukset viesteistäsi ja @nimen maininnat menevät rikki. Oletko ehdottoman varma, että haluat tehdä näin?"
|
||||
confirm: "Jos vaihdat käyttäjätunnustasi, kaikki aiemmat lainaukset viesteistäsi ja @nimen maininnat menevät rikki. Oletko ehdottoman varma, että haluat tehdä näin?"
|
||||
taken: "Pahoittelut, tuo nimi on jo käytössä."
|
||||
error: "Käyttäjätunnuksen vaihdossa tapahtui virhe."
|
||||
invalid: "Käyttäjätunnus ei kelpaa. Siinä saa olla ainoastaan numeroita ja kirjaimia."
|
||||
@ -580,7 +600,7 @@ fi:
|
||||
default: "(oletus)"
|
||||
password_confirmation:
|
||||
title: "Salasana uudelleen"
|
||||
last_posted: "Viimeinen viesti"
|
||||
last_posted: "Viimeisin viesti"
|
||||
last_emailed: "Viimeksi lähetetty sähköpostitse"
|
||||
last_seen: "Nähty"
|
||||
created: "Liittynyt"
|
||||
@ -602,7 +622,7 @@ fi:
|
||||
always: "aina"
|
||||
never: "ei koskaan"
|
||||
email_digests:
|
||||
title: "Jos en käy sivustolla, lähetä minulle kooste suosituista ketjuista ja vastauksista osoitteeseen:"
|
||||
title: "Jos en käy sivustolla, lähetä minulle kooste suosituista ketjuista ja vastauksista"
|
||||
every_30_minutes: "puolen tunnin välein"
|
||||
every_hour: "tunneittain"
|
||||
daily: "päivittäin"
|
||||
@ -686,7 +706,7 @@ fi:
|
||||
time_read: "lukenut palstaa"
|
||||
topic_count:
|
||||
one: "avattu ketju"
|
||||
other: "avattua ketjua"
|
||||
other: "luotua ketjua"
|
||||
post_count:
|
||||
one: "kirjoitettu viesti"
|
||||
other: "kirjoitettua viestiä"
|
||||
@ -765,9 +785,9 @@ fi:
|
||||
enabled: "Sivusto on vain luku -tilassa. Voit jatkaa selailua, mutta vastaaminen, tykkääminen ja muita toimintoja on toistaiseksi poissa käytöstä."
|
||||
login_disabled: "Et voi kirjautua sisään, kun sivusto on vain luku -tilassa."
|
||||
logout_disabled: "Et voi kirjautua ulos, kun sivusto on vain luku -tilassa."
|
||||
too_few_topics_and_posts_notice: "Laitetaanpa <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>keskustelu alulle!</a> Tällä hetkellä palstalla on <strong>%{currentTopics} / %{requiredTopics}</strong> ketjua ja <strong>%{currentPosts} / %{requiredPosts}</strong> viestiä. Uudet kävijät tarvitsevat keskusteluita, joita lukea ja joihin vastata."
|
||||
too_few_topics_notice: "Laitetaanpa <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>keskustelu alulle!</a> Tällä hetkellä palstalla on <strong>%{currentTopics} / %{requiredTopics}</strong> ketjua. Uudet kävijät tarvitsevat keskusteluita, joita lukea ja joihin vastata."
|
||||
too_few_posts_notice: "Laitetaanpa <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>keskustelu alulle!</a> Tällä hetkellä palstalla on <strong>%{currentPosts} / %{requiredPosts}</strong> viestiä. Uudet kävijät tarvitsevat keskusteluita, joita lukea ja joihin vastata."
|
||||
too_few_topics_and_posts_notice: "Laitetaanpa <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>keskustelu alulle!</a> Tällä hetkellä palstalla on <strong>%{currentTopics} / %{requiredTopics}</strong> ketjua ja <strong>%{currentPosts} / %{requiredPosts}</strong> viestiä. Uusia kävijöitä varten tarvitaan keskusteluita, joita voivat lukea ja joihin vastata."
|
||||
too_few_topics_notice: "Laitetaanpa <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>keskustelu alulle!</a> Tällä hetkellä palstalla on <strong>%{currentTopics} / %{requiredTopics}</strong> ketjua. Uusia kävijöitä varten tarvitaan keskusteluita, joita voivat lukea ja joihin vastata."
|
||||
too_few_posts_notice: "Laitetaanpa <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>keskustelu alulle!</a> Tällä hetkellä palstalla on <strong>%{currentPosts} / %{requiredPosts}</strong> viestiä. Uusia kävijöitä varten tarvitaan keskusteluita, joita voivat lukea ja joihin vastata."
|
||||
logs_error_rate_notice:
|
||||
reached: "<b>[%{relativeAge}]</b> Virheiden määrä <a href='%{url}' target='_blank'>%{rate}</a> on saavuttanut sivuston asetuksissa määritellyn rajan %{siteSettingRate}."
|
||||
exceeded: "<b>[%{relativeAge}]</b> Virheiden määrä <a href='%{url}' target='_blank'>%{rate}</a> on ylittänyt sivuston asetuksissa määritellyn rajan %{siteSettingRate}."
|
||||
@ -812,6 +832,7 @@ fi:
|
||||
title: "Viesti"
|
||||
invite: "Kutsu muita..."
|
||||
remove_allowed_user: "Haluatko varmasti poistaa käyttäjän {{name}} tästä keskustelusta?"
|
||||
remove_allowed_group: "Haluatko varmasti poistaa käyttäjän {{name}} tästä viestiketjusta?"
|
||||
email: 'Sähköposti'
|
||||
username: 'Käyttäjätunnus'
|
||||
last_seen: 'Nähty'
|
||||
@ -878,10 +899,12 @@ fi:
|
||||
github:
|
||||
title: "GitHubilla"
|
||||
message: "Todennetaan Githubin kautta (varmista, että ponnahdusikkunoiden esto ei ole päällä)"
|
||||
apple_international: "Apple/kansainvälinen"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
emoji_set:
|
||||
apple_international: "Apple/Kansainvälinen"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
win10: "Win10"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
@ -943,7 +966,8 @@ fi:
|
||||
quote_text: "Lainaus"
|
||||
code_title: "Teksti ilman muotoiluja"
|
||||
code_text: "Sisennä teksti neljällä välilyönnillä poistaaksesi automaattisen muotoilun"
|
||||
upload_title: "Liitä"
|
||||
paste_code_text: "kirjoita tai liitä koodia tähän"
|
||||
upload_title: "Lähetä"
|
||||
upload_description: "kirjoita ladatun tiedoston kuvaus tähän"
|
||||
olist_title: "Numeroitu lista"
|
||||
ulist_title: "Luettelomerkillinen luettelo"
|
||||
@ -960,7 +984,7 @@ fi:
|
||||
auto_close:
|
||||
label: "Sulje ketju automaattisesti tämän ajan jälkeen:"
|
||||
error: "Ole hyvä ja syötä kelpaava arvo."
|
||||
based_on_last_post: "Älä sulje ennen kuin viimeinen viesti ketjussa on vähintään näin vanha."
|
||||
based_on_last_post: "Älä sulje ennen kuin viimeisin viesti ketjussa on vähintään näin vanha."
|
||||
all:
|
||||
examples: 'Syötä aika tunteina (24), absoluuttisena aikana (17:30) tai aikaleimana (2013-11-22 14:00).'
|
||||
limited:
|
||||
@ -969,6 +993,7 @@ fi:
|
||||
notifications:
|
||||
title: "ilmoitukset @nimeen viittauksista, vastauksista omiin viesteihin ja ketjuihin, viesteistä ym."
|
||||
none: "Ilmoitusten lataaminen ei onnistunut."
|
||||
empty: "Ilmoituksia ei löydetty."
|
||||
more: "vanhat ilmoitukset"
|
||||
total_flagged: "yhteensä liputettuja viestejä"
|
||||
mentioned: "<i title='viittasi' class='fa fa-at'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
@ -989,6 +1014,7 @@ fi:
|
||||
moved_post: "<i title='siirsi viestin' class='fa fa-sign-out'></i><p><span>{{username}}</span> siirsi {{description}}</p>"
|
||||
linked: "<i title='linkkasi viestiin' class='fa fa-link'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='arvomerkki myönnetty' class='fa fa-certificate'></i><p>Ansaitsit '{{description}}'</p>"
|
||||
watching_first_post: "<i title='new topic' class='fa fa-dot-circle-o'></i><p><span>Uusi ketju</span> {{description}}</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='messages in group inbox' class='fa fa-group'></i><p> {{count}} viesti ryhmän {{group_name}} saapuneissa</p>"
|
||||
other: "<i title='messages in group inbox' class='fa fa-group'></i><p> {{count}} viestiä ryhmän {{group_name}} saapuneissa</p>"
|
||||
@ -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 { <a href='/unread'>1 ketju</a>, jossa on viestejä } other { <a href='/unread'># ketjua</a>, joissa on viestejä }} { NEW, plural, =0 {} one { {BOTH, select, true{ja } false { } other{}} <a href='/new'>1 uusi</a> ketju} other { {BOTH, select, true{ja } false { } other{}} <a href='/new'># uutta ketjua</a>} } 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 <a href="/users/{{username}}/preferences">luet tätä ketjua</a>.'
|
||||
'2': 'Saat ilmoituksia, koska <a href="/users/{{username}}/preferences">luit ketjua aiemmin</a>.'
|
||||
'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ää<b>{{count}}</b> 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)"
|
||||
|
||||
@ -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 href='/unread'>a 1 sujet non lu</a> } other { <a href='/unread'>a # sujets non lus</a> } } { NEW, plural, =0 {} one { {BOTH, select, true{et } false {a } other{}} <a href='/new'>1 nouveau</a> sujet} other { {BOTH, select, true{et } false {a } other{}} <a href='/new'># nouveaux</a> 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: |
|
||||
<h3>Rechercher avec Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
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:
|
||||
|
||||
@ -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 <a href='{{group_link}}'>{{count}} persoas</a>."
|
||||
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: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> aceptou o teu convite</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> moveu {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Obtiveches «{{description}}»</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='messages in group inbox' class='fa fa-group'></i><p> {{count}} mensaxe na caixa do correo de {{group_name}} </p>"
|
||||
@ -1211,8 +1200,6 @@ gl:
|
||||
no_banner_exists: "Non hai tema para o báner."
|
||||
banner_exists: "<strong class='badge badge-notification unread'>Hai</strong> 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: (<b>Obrigatorio</b>, 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: '<b>g</b>, <b>h</b> Inicio'
|
||||
latest: '<b>g</b>, <b>l</b> Último'
|
||||
new: '<b>g</b>, <b>n</b> Novo'
|
||||
unread: '<b>g</b>, <b>u</b> Sen ler'
|
||||
categories: '<b>g</b>, <b>c</b> Categorías'
|
||||
top: '<b>g</b>, <b>t</b> Arriba'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Marcadores'
|
||||
profile: '<b>g</b>, <b>p</b> Perfil'
|
||||
messages: '<b>g</b>, <b>m</b> Mensaxes'
|
||||
navigation:
|
||||
title: 'Navegación'
|
||||
jump: '<b>#</b> Ir á publicación #'
|
||||
back: '<b>u</b> Volver'
|
||||
up_down: '<b>k</b>/<b>j</b> Mover selección ↑ ↓'
|
||||
open: '<b>o</b> ou <b>Intro</b> Abrir tema seleccionado'
|
||||
next_prev: '<b>maiús.</b>+<b>j</b>/<b>maiús.</b>+<b>k</b> Sección Seguinte/Anterior'
|
||||
application:
|
||||
title: 'Aplicativo'
|
||||
create: '<b>c</b> Crear un novo tema'
|
||||
notifications: '<b>n</b> Abrir notificacións'
|
||||
hamburger_menu: '<b>=</b> Abrir o menú hamburguesa'
|
||||
user_profile_menu: '<b>p</b> Abrir o menú do usuario'
|
||||
show_incoming_updated_topics: '<b>.</b> Amosar temas actualizados'
|
||||
search: '<b>/</b> Buscar'
|
||||
help: '<b>?</b> Abrir a axuda do teclado'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Desbotar Novas/Publicacións'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Desbotar temas'
|
||||
log_out: '<b>maiús.</b>+<b>z</b> <b>maiús.</b>+<b>z</b> Saír da sesión'
|
||||
actions:
|
||||
title: 'Accións'
|
||||
bookmark_topic: '<b>f</b> Cambiar marcar tema'
|
||||
pin_unpin_topic: '<b>Maiús</b>+<b>p</b> Pegar/Despegar tema'
|
||||
share_topic: '<b>maiús.</b>+<b>s</b> Compartir tema'
|
||||
share_post: '<b>s</b> Compartir publicación'
|
||||
reply_as_new_topic: '<b>t</b> Responder como tema ligado'
|
||||
reply_topic: '<b>maiús.</b>+<b>r</b> Responder o tema'
|
||||
reply_post: '<b>r</b> Responder a publicación'
|
||||
quote_post: '<b>q</b> Citar publicación'
|
||||
like: '<b>l</b> Gústame a publicación'
|
||||
flag: '<b>!</b> Denunciar publicación'
|
||||
bookmark: '<b>b</b> Marcar publicación'
|
||||
edit: '<b>e</b> Editar publicación'
|
||||
delete: '<b>d</b> Eliminar publicación'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Silenciar tema'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Tema normal (predeterminado)'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Seguir tema'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Comezar
|
||||
community:
|
||||
name: Comunidade
|
||||
trust_level:
|
||||
name: Nivel de confianza
|
||||
other:
|
||||
name: Outro
|
||||
posting:
|
||||
name: Publicación
|
||||
google_search: |
|
||||
<h3>Buscar no Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
|
||||
@ -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 <br/>LT"
|
||||
long_date_with_year_with_linebreak: "MMM D, 'YY <br/>LT"
|
||||
wrap_ago: "לפני %{date}"
|
||||
tiny:
|
||||
half_a_minute: "פחות מדקה"
|
||||
less_than_x_seconds:
|
||||
@ -100,6 +102,8 @@ he:
|
||||
x_years:
|
||||
one: "אחרי שנה אחת"
|
||||
other: "אחרי {{count}}% שנים"
|
||||
previous_month: 'חודש קודם'
|
||||
next_month: 'חודש הבא'
|
||||
share:
|
||||
topic: 'שתפו קישור לפוסט זה'
|
||||
post: 'פרסום #%{postNumber}'
|
||||
@ -109,9 +113,13 @@ he:
|
||||
google+: 'שתף קישור זה בגוגל+'
|
||||
email: 'שלח קישור בדוא"ל'
|
||||
action_codes:
|
||||
public_topic: "הפכו נושא זה לפומבי %{when}"
|
||||
private_topic: "הפכו נושא זה לפרטי %{when}"
|
||||
split_topic: "פצל את הפוסט %{when}"
|
||||
invited_user: "%{who} הוזמנ/ה ב-%{when}"
|
||||
invited_group: "הזמינו %{who} %{when}"
|
||||
removed_user: "%{who} הוסר/ה ב-%{when}"
|
||||
removed_group: "הסירו %{who} %{when}"
|
||||
autoclosed:
|
||||
enabled: 'סגר %{when}'
|
||||
disabled: 'פתח %{when}'
|
||||
@ -132,18 +140,23 @@ he:
|
||||
disabled: 'הוצא מהרשימה %{when}'
|
||||
topic_admin_menu: "פעולות ניהול לפוסט"
|
||||
emails_are_disabled: "כל הדוא\"ל היוצא נוטרל באופן גורף על ידי מנהל אתר. שום הודעת דוא\"ל, מכל סוג שהוא, תשלח."
|
||||
bootstrap_mode_enabled: "כדי להקל על הקמת האתר החדש שלכם, אתם במצב איתחול-ראשוני. כל המשתמשים החדשים יקבלו רמת אמון 1 ויקבלו סיכומים יומיים במייל. אפשרות זו תכובה אוטומטית כאשר יהיו יותר מ %{min_users} משתמשים."
|
||||
bootstrap_mode_disabled: "מצב איתחול-ראשוני יכובה ב 24 השעות הקרובות."
|
||||
s3:
|
||||
regions:
|
||||
us_east_1: "מזרח ארה\"ב (צפון וירג'יניה)"
|
||||
us_west_1: "מערב ארה\"ב (צפון קליפורניה)"
|
||||
us_west_2: "מערב ארה\"ב (ארגון)"
|
||||
us_gov_west_1: "AWS GovCloud (ארה״ב)"
|
||||
eu_west_1: "האיחוד האירופי (אירלנד)"
|
||||
eu_central_1: "האיחוד האירופי (פרנקפורט)"
|
||||
ap_southeast_1: "אסיה הפסיפית (סינגפור)"
|
||||
ap_southeast_2: "אסיה הפסיפית (סידני)"
|
||||
ap_south_1: "אסיה פסיפית (מומבאי)"
|
||||
ap_northeast_1: "אסיה הפסיפית (טוקיו)"
|
||||
ap_northeast_2: "אסיה הפסיפית (סיאול)"
|
||||
sa_east_1: "דרום אמריקה (סאו פאולו)"
|
||||
cn_north_1: "סין (בייג׳ינג)"
|
||||
edit: 'ערוך את הכותרת והקטגוריה של הפוסט'
|
||||
not_implemented: "סליחה, תכונה זו עדיין לא מומשה!"
|
||||
no_value: "לא"
|
||||
@ -176,6 +189,8 @@ he:
|
||||
more: "עוד"
|
||||
less: "פחות"
|
||||
never: "אף פעם"
|
||||
every_30_minutes: "מידי 30 דקות"
|
||||
every_hour: "כל שעה"
|
||||
daily: "יומית"
|
||||
weekly: "שבועית"
|
||||
every_two_weeks: "דו-שבועית"
|
||||
@ -187,6 +202,7 @@ he:
|
||||
other: "{{count}} תווים"
|
||||
suggested_topics:
|
||||
title: "פוסטים מוצעים"
|
||||
pm_title: "הודעות מוצעות"
|
||||
about:
|
||||
simple_title: "אודות"
|
||||
title: "אודות %{title}"
|
||||
@ -213,8 +229,8 @@ he:
|
||||
bookmarks:
|
||||
not_logged_in: "סליחה, עליך להיות מחובר כדי להוסיף פוסט למועדפים"
|
||||
created: "סימנת הודעה זו כמועדפת"
|
||||
not_bookmarked: "קראת הודעה זו, לחץ להוספה למועדפים"
|
||||
last_read: "זו ההודעה האחרונה שקראת, לחץ להוספה למועדפים"
|
||||
not_bookmarked: "קראתם הודעה זו, לחצו להוספה למועדפים"
|
||||
last_read: "זו ההודעה האחרונה שקראת, לחצו להוספה למועדפים"
|
||||
remove: "הסר מהמועדפים"
|
||||
confirm_clear: "האם את/ה בטוחים שאתם מעוניינים לנקות את כל הסימניות מפוסט זה?"
|
||||
topic_count_latest:
|
||||
@ -241,8 +257,8 @@ he:
|
||||
undo: "ביטול (Undo)"
|
||||
revert: "לחזור"
|
||||
failed: "נכשל"
|
||||
switch_to_anon: "מצב אנונימי"
|
||||
switch_from_anon: "צא ממצב אנונימי"
|
||||
switch_to_anon: "כנסו למצב אנונימי"
|
||||
switch_from_anon: "צאו ממצב אנונימי"
|
||||
banner:
|
||||
close: "שחרור באנר זה."
|
||||
edit: "ערוך את הבאנר"
|
||||
@ -265,6 +281,7 @@ he:
|
||||
one: " בנושא זה ישנה הודעה אחת הממתינה לאישור"
|
||||
other: "בפוסט זה ישנם <b>{{count}}</b> הודעות הממתינות לאישור"
|
||||
confirm: "שמור שינויים"
|
||||
delete_prompt: "האם אתם בטוחים שאתם מעוניינים למחוק את <b>%{username}</b>? זה ימחוק את כל הפוסטים שלהם ויחסום את המייל וכתובת ה IP שלהם."
|
||||
approval:
|
||||
title: "ההודעה זקוקה לאישור"
|
||||
description: "קיבלנו את הודעתך אך נדרש אישור של מנחה לפני שההודעה תוצג, אנא המתן בסבלנות."
|
||||
@ -291,6 +308,8 @@ he:
|
||||
title: "משתמשים"
|
||||
likes_given: "ניתנ/ו"
|
||||
likes_received: "התקבל/ו"
|
||||
topics_entered: "נצפה"
|
||||
topics_entered_long: "נושאים שנצפו"
|
||||
time_read: "זמן קריאה"
|
||||
topic_count: "פוסטים"
|
||||
topic_count_long: "פוסטים שנוצרו"
|
||||
@ -315,11 +334,15 @@ he:
|
||||
selector_placeholder: "הוספת חברים וחברות"
|
||||
owner: "מנהל"
|
||||
visible: "הקבוצה זמינה לכל המשתמשים"
|
||||
index: "קבוצות"
|
||||
title:
|
||||
one: "קבוצה"
|
||||
other: "קבוצות"
|
||||
members: "חברים"
|
||||
topics: "נושאים"
|
||||
posts: "הודעות"
|
||||
mentions: "אזכורים"
|
||||
messages: "הודעות"
|
||||
alias_levels:
|
||||
title: "מי יכול/ה לשלוח מסרים ו@לאזכר בקבוצה זו?"
|
||||
nobody: "אף אחד"
|
||||
@ -334,8 +357,18 @@ he:
|
||||
watching:
|
||||
title: "במעקב"
|
||||
description: "תקבל/י הודעה על כל פרסום במסגרת כל מסר, וסך התשובות יוצג."
|
||||
watching_first_post:
|
||||
title: "צפייה בהודעה ראשונה"
|
||||
description: "תעודכנו רק לגבי הפוסט הראשון בכל נושא בקבוצה זו."
|
||||
tracking:
|
||||
title: "במעקב"
|
||||
description: "תקבלו התראה אם מישהו מזכיר את @שמכם או עונה לכם, ותופיע ספירה של תגובות חדשות."
|
||||
regular:
|
||||
title: "רגיל"
|
||||
description: "תקבלו התראה אם מישהו מזכיר את @שמכם או עונה לכם."
|
||||
muted:
|
||||
title: "מושתק"
|
||||
description: "לעולם לא תקבלו התראה על נושאים חדשים בקבוצה זו."
|
||||
user_action_groups:
|
||||
'1': "לייקים שניתנו"
|
||||
'2': "לייקים שהתקבלו"
|
||||
@ -354,6 +387,7 @@ he:
|
||||
all_subcategories: "הכל"
|
||||
no_subcategory: "ללא"
|
||||
category: "קטגוריה"
|
||||
category_list: "הצגת גשימת קטגוריות"
|
||||
reorder:
|
||||
title: "שנה סדר קטגוריות"
|
||||
title_long: "ארגן מחדש את רשימת הקטגוריות"
|
||||
@ -410,15 +444,17 @@ he:
|
||||
invited_by: "הוזמן/הוזמנה על ידי"
|
||||
trust_level: "רמת אמון"
|
||||
notifications: "התראות"
|
||||
statistics: "סטטיסטיקות"
|
||||
desktop_notifications:
|
||||
label: "התראות לשולחן העבודה"
|
||||
not_supported: "התראות לא נתמכות בדפדפן זה. מצטערים."
|
||||
perm_default: "הדלק התראות"
|
||||
perm_denied_btn: "הרשאות נדחו"
|
||||
perm_denied_expl: "מנעתם הרשאה לקבלת התראות. אפשרו התראות בהגדרות הדפדפן שלכם."
|
||||
disable: "כבה התראות"
|
||||
enable: "אפשר התראות"
|
||||
each_browser_note: "הערה: עליך לשנות הגדרה זו עבור כל דפדפן בנפרד."
|
||||
dismiss_notifications: "סימון הכל כנקרא"
|
||||
dismiss_notifications: "בטל הכל"
|
||||
dismiss_notifications_tooltip: "סימון כל ההתראות שלא נקראו כהתראות שנקראו"
|
||||
disable_jump_reply: "אל תקפצו לפרסומים שלי לאחר שאני משיב/ה"
|
||||
dynamic_favicon: "הצג את מספר פוסטים חדשים/מעודכנים על האייקון של הדפדפן"
|
||||
@ -433,10 +469,22 @@ he:
|
||||
suspended_notice: "המשתמש הזה מושעה עד לתאריך: {{date}}."
|
||||
suspended_reason: "הסיבה: "
|
||||
github_profile: "גיטהאב"
|
||||
email_activity_summary: "סיכום פעילות"
|
||||
mailing_list_mode:
|
||||
label: "מצב רשימת תפוצה"
|
||||
enabled: "אפשר מצב רשימת תפוצה"
|
||||
daily: "שלח עדכונים יומיים"
|
||||
individual: "שליחת מייל עבור כל פוסט חדש"
|
||||
many_per_day: "שלחו לי מייל עבור כל פוסט חדש (בערך {{dailyEmailEstimate}} ביום)"
|
||||
few_per_day: "שלחו לי מייל עבור כל פוסט חדש (בערך 2 ביום)"
|
||||
tag_settings: "תגיות"
|
||||
watched_tags: "נצפה"
|
||||
tracked_tags: "במעקב"
|
||||
muted_tags: "מושתק"
|
||||
watched_categories: "עוקב"
|
||||
watched_categories_instructions: "תעקבו באופן אוטומטי אחרי כל הפוסטים החדשים בקטגוריות אלה. תקבלו התראה על כל פרסום ופוסט חדש."
|
||||
tracked_categories: "רגיל+"
|
||||
tracked_categories_instructions: "בקטגוריות אלה סך הפרסומים החדשים שלא נקראו יופיע לצד שם הפוסט."
|
||||
watched_first_post_categories: "צפייה בהודעה ראשונה"
|
||||
watched_first_post_tags: "צפייה בהודעה ראשונה"
|
||||
muted_categories: "מושתק"
|
||||
delete_account: "מחק את החשבון שלי"
|
||||
delete_account_confirm: "אתה בטוח שברצונך למחוק את החשבון? לא ניתן לבטל פעולה זו!"
|
||||
@ -448,6 +496,7 @@ he:
|
||||
muted_users: "מושתק"
|
||||
muted_users_instructions: "להשבית כל התראה ממשתמשים אלו"
|
||||
muted_topics_link: "הצג פוסטים שהוסתרו"
|
||||
watched_topics_link: "הצגת נושאים נצפים"
|
||||
staff_counters:
|
||||
flags_given: "סימונים שעוזרים"
|
||||
flagged_posts: "הודעות מסומנות"
|
||||
@ -456,6 +505,15 @@ he:
|
||||
warnings_received: "אזהרות"
|
||||
messages:
|
||||
all: "הכל"
|
||||
inbox: "דואר נכנס"
|
||||
sent: "נשלח"
|
||||
archive: "ארכיון"
|
||||
groups: "הקבוצות שלי"
|
||||
bulk_select: "בחר הודעות"
|
||||
move_to_inbox: "העבר לדואר נכנס"
|
||||
move_to_archive: "ארכיון"
|
||||
failed_to_move: "בעיה בהעברת ההודעות שנבחרו (אולי יש תקלה בהתחברות?)"
|
||||
select_all: "בחרו הכל"
|
||||
change_password:
|
||||
success: "(דואר אלקטרוני נשלח)"
|
||||
in_progress: "(שולח דואר אלקטרוני)"
|
||||
@ -464,6 +522,7 @@ he:
|
||||
set_password: "הזן סיסמה"
|
||||
change_about:
|
||||
title: "שינוי בנוגע אליי"
|
||||
error: "ארעה שגיאה בשינוי ערך זה."
|
||||
change_username:
|
||||
title: "שנה שם משתמש"
|
||||
taken: "סליחה, שם המשתמש הזה תפוס."
|
||||
@ -533,11 +592,26 @@ he:
|
||||
title: "תג כרטיס משתמש/ת"
|
||||
website: "אתר"
|
||||
email_settings: "דואר אלקטרוני"
|
||||
like_notification_frequency:
|
||||
always: "תמיד"
|
||||
first_time_and_daily: "בפעם הראשונה שמישהו אוהב פוסט ומידי יום"
|
||||
first_time: "בפעם הראשונה שמישהו אוהב פוסט"
|
||||
never: "אף פעם"
|
||||
email_previous_replies:
|
||||
title: "כלול תגובות קודמות בתחתית המיילים"
|
||||
unless_emailed: "אלא אם נשלח לפני כן"
|
||||
always: "תמיד"
|
||||
never: "אף פעם"
|
||||
email_digests:
|
||||
title: "כאשר אינני מבקר פה, שלחו לי מייל מסכם של נושאים ותגובות פופולאריים"
|
||||
every_30_minutes: "מידי 30 דקות"
|
||||
every_hour: "שעתי"
|
||||
daily: "יומית"
|
||||
every_three_days: "כל שלושה ימים"
|
||||
weekly: "שבועית"
|
||||
every_two_weeks: "כל שבועיים"
|
||||
include_tl0_in_digests: "כללו תכנים ממשתמשים חדשים במיילים מסכמים"
|
||||
email_in_reply_to: "כלילת ציטוטים מפוסטים שהגיבו אליהם במיילים"
|
||||
email_direct: "שלחו לי דוא\"ל כשמישהו/י מצטטים אותי, מגיבם לפרסום שלי, מזכירים את @שם_המשתמש/ת שלי, או מזמינים אותי לפוסט"
|
||||
email_private_messages: "שלחו לי דוא\"ל כשמישהו/י שולחים לי מסר"
|
||||
email_always: "שלח לי נוטיפקציות מייל גם כשאני פעיל/ה באתר. "
|
||||
@ -584,7 +658,9 @@ he:
|
||||
rescind: "הסרה"
|
||||
rescinded: "הזמנה הוסרה"
|
||||
reinvite: "משלוח חוזר של הזמנה"
|
||||
reinvite_all: "שלח מחדש את כל ההזמנות"
|
||||
reinvited: "ההזמנה נשלחה שוב"
|
||||
reinvited_all: "כל ההזמנות נשלחו מחדש!"
|
||||
time_read: "זמן קריאה"
|
||||
days_visited: "מספר ימי ביקור"
|
||||
account_age_days: "גיל החשבון בימים"
|
||||
@ -605,6 +681,36 @@ he:
|
||||
same_as_email: "הסיסמה שלך זהה לכתובת הדוא\"ל שלך."
|
||||
ok: "הסיסמה שלך נראית טוב."
|
||||
instructions: "לפחות %{count} תווים."
|
||||
summary:
|
||||
title: "סיכום"
|
||||
stats: "סטטיסטיקות"
|
||||
time_read: "זמן קריאה"
|
||||
topic_count:
|
||||
one: "נושאים נוצרו"
|
||||
other: "נושאים נוצרו"
|
||||
post_count:
|
||||
one: "פוסטים"
|
||||
other: "פוסטים נוצרו"
|
||||
likes_given:
|
||||
one: "ניתן <i class='fa fa-heart'></i>"
|
||||
other: "ניתן <i class='fa fa-heart'></i>"
|
||||
likes_received:
|
||||
one: "התקבל <i class='fa fa-heart'></i>"
|
||||
other: "התקבל <i class='fa fa-heart'></i>"
|
||||
posts_read:
|
||||
one: "פוסטים נקראו"
|
||||
other: "פוסטים נקראו"
|
||||
bookmark_count:
|
||||
one: "סימניות"
|
||||
other: "סימניות"
|
||||
no_replies: "עדיין אין תגובות."
|
||||
more_replies: "תגובות נוספות"
|
||||
no_topics: "אין נושאים עדיין."
|
||||
more_topics: "נושאים נוספים"
|
||||
no_links: "עדיין ללא קישורים."
|
||||
most_liked_by: "נאהב ביותר על-ידי"
|
||||
most_liked_users: "נאהב ביותר"
|
||||
no_likes: "עדיין אין לייקים."
|
||||
associated_accounts: "התחברויות"
|
||||
ip_address:
|
||||
title: "כתובת IP אחרונה"
|
||||
@ -635,7 +741,7 @@ he:
|
||||
network: "אנא בדקו את החיבור שלכם"
|
||||
network_fixed: "נראה שזה חזר לעבוד."
|
||||
server: "קוד שגיאה: {{status}}"
|
||||
forbidden: "אינך רשא/ית לצפות בזה."
|
||||
forbidden: "אינכם רשאים לצפות בזה."
|
||||
not_found: "אופס, ניסינו לטעון עמוד שאיננו קיים."
|
||||
unknown: "משהו השתבש."
|
||||
buttons:
|
||||
@ -648,6 +754,7 @@ he:
|
||||
refresh: "רענן"
|
||||
read_only_mode:
|
||||
login_disabled: "התחברות אינה מתאפשרת כשהאתר במצב קריאה בלבד."
|
||||
logout_disabled: "לא ניתן להתנתק בזמן שהאתר במצב של קריאה בלבד."
|
||||
too_few_topics_and_posts_notice: "בוא <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>נתחיל את הדיון הזה!</a> יש כרגע <strong>%{currentTopics} / %{requiredTopics}</strong> נושאים ו-<strong>%{currentPosts} / %{requiredPosts}</strong> הודעות. אורחים חדשים צריכים כמה דיונים לקרוא ולהגיב אליהם."
|
||||
too_few_topics_notice: "בוא <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>נתחיל את הדיון הזה!</a> יש כרגע <strong>%{currentTopics} / %{requiredTopics}</strong> נושאים. אורחים חדשים צריכים כמה דיונים לקרוא ולהגיב אליהם."
|
||||
too_few_posts_notice: "בוא <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>נתחיל את הדיון הזה!</a> יש כרגע <strong>%{currentPosts} / %{requiredPosts}</strong> הודעות. אורחים חדשים צריכים כמה דיונים לקרוא ולהגיב אליהם."
|
||||
@ -687,6 +794,7 @@ he:
|
||||
title: "הודעה"
|
||||
invite: "הזמינו אחרים..."
|
||||
remove_allowed_user: "האם את/ה באמת רוצה להסיר את {{name}} מהודעה זו?"
|
||||
remove_allowed_group: "האם אתם באמת מעוניינים להסיר את {{name}} מהודעה זו?"
|
||||
email: 'דוא"ל'
|
||||
username: 'שם משתמש'
|
||||
last_seen: 'נצפה'
|
||||
@ -741,6 +849,9 @@ he:
|
||||
twitter:
|
||||
title: "עם Twitter"
|
||||
message: "התחברות עם Twitter (יש לוודא שחוסם חלונות קופצים אינו פעיל)"
|
||||
instagram:
|
||||
title: "עם אינסטגרם"
|
||||
message: "אימות באמצעות אינסטגרם (וודאו שפופ-אפים אינם חסומים אצלכם)"
|
||||
facebook:
|
||||
title: "עם Facebook"
|
||||
message: "התחברות עם Facebook (יש לוודא שחוסם חלונות קופצים אינו פעיל)"
|
||||
@ -750,15 +861,18 @@ he:
|
||||
github:
|
||||
title: "עם GitHub"
|
||||
message: "התחברות עם GitHub (יש לוודא שחוסם חלונות קופצים אינו פעיל)"
|
||||
apple_international: "Apple/International"
|
||||
google: "גוגל"
|
||||
twitter: "טוויטר"
|
||||
emoji_one: "Emoji One"
|
||||
emoji_set:
|
||||
apple_international: "אפל/בינלאומי"
|
||||
google: "גוגל"
|
||||
twitter: "טוויטר"
|
||||
emoji_one: "Emoji One"
|
||||
win10: "חלונות 10"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
alt: 'Alt'
|
||||
composer:
|
||||
emoji: "אמוג׳י :)"
|
||||
more_emoji: "עוד..."
|
||||
options: "אפשרויות"
|
||||
whisper: "לחישה"
|
||||
@ -785,7 +899,7 @@ he:
|
||||
cancel: "ביטול"
|
||||
create_topic: "יצירת פוסט"
|
||||
create_pm: "הודעה"
|
||||
title: "או לחץ Ctrl+Enter"
|
||||
title: "או לחצו Ctrl+Enter"
|
||||
users_placeholder: "הוספת משתמש"
|
||||
title_placeholder: " במשפט אחד, במה עוסק הדיון הזה?"
|
||||
edit_reason_placeholder: "מדוע ערכת?"
|
||||
@ -807,10 +921,12 @@ he:
|
||||
link_description: "הזן תיאור קישור כאן"
|
||||
link_dialog_title: "הזן קישור"
|
||||
link_optional_text: "כותרת אופציונלית"
|
||||
link_url_placeholder: "http://example.com"
|
||||
quote_title: "ציטוט"
|
||||
quote_text: "ציטוט"
|
||||
code_title: "טקסט מעוצב"
|
||||
code_text: "הזחה של הטקסט ב-4 רווחים"
|
||||
paste_code_text: "הקלידו או הדביקו קוד כאן"
|
||||
upload_title: "העלאה"
|
||||
upload_description: "הזן תיאור העלאה כאן"
|
||||
olist_title: "רשימה ממוספרת"
|
||||
@ -837,6 +953,7 @@ he:
|
||||
notifications:
|
||||
title: "התראות אודות אזכור @שם, תגובות לפרסומים ולפוסטים שלך, הודעות וכו'"
|
||||
none: "לא ניתן לטעון כעת התראות."
|
||||
empty: "לא נמצאו התראות."
|
||||
more: "הצגת התראות ישנות יותר"
|
||||
total_flagged: "סך הכל פוסטים מדוגללים"
|
||||
mentioned: "<i title='mentioned' class='fa fa-at'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
@ -849,7 +966,6 @@ he:
|
||||
invited_to_topic: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> אישר/ה את הזמנתך</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> הזיז/ה {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>הרוויח/ה '{{description}}'</p>"
|
||||
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: "בחרת נושא <b>אחד</b>."
|
||||
other: "בחרת <b>{{count}}</b> נושאים."
|
||||
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 <a href='/unread'>1 unread</a> } other { are <a href='/unread'># unread</a> } } { NEW, plural, =0 {} one { {BOTH, select, true{and } false {is } other{}} <a href='/new'>1 new</a> topic} other { {BOTH, select, true{and } false {are } other{}} <a href='/new'># new</a> 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: "הזמנה זו כוללת גישה לקבוצות הללו: (<b>חובה</b>, רק מנהל/ת)"
|
||||
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: "בבקשה בחר את הפוסט אליו תרצה להעביר את <b>{{count}}</b> ההודעות."
|
||||
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: "<strong>{{קודם}}</strong> <i class='fa fa-arrows-h'></i> <strong>{{נוכחי}}</strong> / {כולל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: "אתה עומד למחוק <b>%{posts}</b> הודעות ו-<b>%{topics}</b> פוסטים של המשתמש הזה, להסיר את החשבון שלהם, לחסור הרשמה מכתובת ה-IP שלהם <b>%{ip_address}</b>, ולהוסיף את כתובת הדואר האלקטרוני <b>%{email}</b> לרשימה שחורה. אתה בטוח שזה באמת ספאמר?"
|
||||
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: '<b>#</b> מעבר לפוסט #'
|
||||
back: '<b>u</b> חזרה'
|
||||
application:
|
||||
title: 'אפליקציה'
|
||||
create: '<b>c</b> יצירת נושא חדש'
|
||||
notifications: '<b>n</b> פתיחת התראות'
|
||||
hamburger_menu: '<b>=</b> פתיחת תפריט המבורגר'
|
||||
user_profile_menu: '<b>p</b> פתיחת תפריט משתמש'
|
||||
show_incoming_updated_topics: '<b>.</b> הצגת נושאים שהתעדכנו'
|
||||
search: '<b>/</b> חיפוש'
|
||||
help: '<b>?</b> פתיחת קיצורי מקשים'
|
||||
actions:
|
||||
title: 'פעולות'
|
||||
share_post: '<b>s</b> שיתוף פוסט'
|
||||
reply_post: '<b>r</b> תגובה לפוסט'
|
||||
quote_post: '<b>q</b> ציטוט פוסט'
|
||||
flag: '<b>!</b> דיווח על פוסט'
|
||||
bookmark: '<b>b</b> סימון פוסט'
|
||||
edit: '<b>e</b> עריכת פוסט'
|
||||
badges:
|
||||
multiple_grant: "ניתן מספר פעמים"
|
||||
none: "<none>"
|
||||
badge_grouping:
|
||||
community:
|
||||
name: קהילה
|
||||
trust_level:
|
||||
name: רמת אמון
|
||||
other:
|
||||
name: אחר
|
||||
tagging:
|
||||
all_tags: "כל התגיות"
|
||||
selector_all_tags: "כל התגיות"
|
||||
selector_no_tags: "ללא תגיות"
|
||||
changed: "תגיות ששונו:"
|
||||
tags: "תגיות"
|
||||
delete_tag: "מחק תגית"
|
||||
delete_confirm: "האם אתם בטוחים שאתם מעוניינים למחוק את התגית הזו?"
|
||||
rename_tag: "שנו תגית"
|
||||
rename_instructions: "בחרו שם חדש לתגית:"
|
||||
sort_by: "סידור לפי:"
|
||||
sort_by_count: "ספירה"
|
||||
sort_by_name: "שם"
|
||||
manage_groups: "נהלו קבוצות תגים"
|
||||
manage_groups_description: "הגדירו קבוצות כדי לארגן תגיות"
|
||||
notifications:
|
||||
watching_first_post:
|
||||
title: "צפייה בהודעה ראשונה"
|
||||
regular:
|
||||
title: "רגיל"
|
||||
muted:
|
||||
title: "מושתק"
|
||||
groups:
|
||||
title: "תייגו קבוצות"
|
||||
new: "קבוצה חדשה"
|
||||
tags_label: "תגיות בקבוצה זו:"
|
||||
one_per_topic_label: "הגבלה של תג אחד לכל נושא מקבוצה זו"
|
||||
new_name: "קבוצת תגיות חדשה"
|
||||
save: "שמור"
|
||||
delete: "מחק"
|
||||
confirm_delete: "האם אתם בטוחים שאתם מעוניינים למחוק את קבוצת התגיות הזו?"
|
||||
topics:
|
||||
none:
|
||||
unread: "אין לכם נושאים שלא נקראו."
|
||||
new: "אין לכם נושאים חדשים."
|
||||
read: "טרם קראתם נושאים."
|
||||
posted: "עדיין לא פרסמתם באף נושא."
|
||||
latest: "אין נושאים אחרונים."
|
||||
hot: "אין נושאים חמים."
|
||||
bookmarks: "עדיין אין לכם נושאים מסומנים."
|
||||
search: "אין תוצאות חיפוש."
|
||||
bottom:
|
||||
hot: "אין יותר נושאים חמים."
|
||||
read: "אין יותר נושאים שניקראו."
|
||||
new: "אין יותר נושאים חדשים."
|
||||
unread: "אין יותר נושאים שלא נקראו."
|
||||
bookmarks: "אין יותר נושאים שסומנו."
|
||||
search: "אין יותר תוצאות חיפוש"
|
||||
invite:
|
||||
custom_message_link: "הודעה מותאמת-אישית"
|
||||
custom_message_placeholder: "הכניסו את הודעתכם האישית"
|
||||
custom_message_template_forum: "הי, כדאי לכם להצטרף לפורום הזה!"
|
||||
custom_message_template_topic: "הי, חשבתי שנושא זה יעניין אתכם!"
|
||||
admin_js:
|
||||
type_to_filter: "הקלד לסינון..."
|
||||
admin:
|
||||
@ -1627,9 +1901,11 @@ he:
|
||||
30_days_ago: "לפני 30 ימים"
|
||||
all: "הכל"
|
||||
view_table: "טבלא"
|
||||
view_graph: "גרף"
|
||||
refresh_report: "רענון דו\"ח"
|
||||
start_date: "תאריך התחלה"
|
||||
end_date: "תאריך סיום"
|
||||
groups: "כל הקבוצות"
|
||||
commits:
|
||||
latest_changes: "שינויים אחרונים: בבקשה עדכן תכופות!"
|
||||
by: "על ידי"
|
||||
@ -1726,6 +2002,7 @@ he:
|
||||
primary_group: "קבע כקבוצה ראשית באופן אוטומטי"
|
||||
group_owners: מנהלים
|
||||
add_owners: הוספת מנהלים
|
||||
incoming_email_placeholder: "הכניסו כתובת מייל"
|
||||
api:
|
||||
generate_master: "ייצר מפתח מאסטר ל-API"
|
||||
none: "אין מפתחות API פעילים כרגע."
|
||||
@ -1758,6 +2035,14 @@ he:
|
||||
backups: "גיבויים"
|
||||
logs: "לוגים"
|
||||
none: "אין גיבויים זמינים."
|
||||
read_only:
|
||||
enable:
|
||||
title: "אפשרו מצב קריאה-בלבד"
|
||||
label: "אפשר קריאה-בלבד"
|
||||
confirm: "האם אתם בטוחים שאתם מעוניינים לאפשר מצב של קריאה-בלבד?"
|
||||
disable:
|
||||
title: "בטל מצב קריאה-בלבד"
|
||||
label: "בטל קריאה-בלבד"
|
||||
logs:
|
||||
none: "עדיין אין לוגים..."
|
||||
columns:
|
||||
@ -1791,9 +2076,11 @@ he:
|
||||
is_disabled: "שחזור אינו מאופשר לפי הגדרות האתר."
|
||||
label: "שחזר"
|
||||
title: "שחזר את הגיבוי"
|
||||
confirm: "האם אתם בטוחים שאתם מעוניינים לשחזר את הגיבוי הזה?"
|
||||
rollback:
|
||||
label: "חזור לאחור"
|
||||
title: "הזחר את מסד הנתונים למצב עבודה קודם"
|
||||
confirm: "האם אתם בטוחים שאתם מעוניינים להשיב את בסיס הנתונים למצב קודם?"
|
||||
export_csv:
|
||||
user_archive_confirm: "האם את/ה בטוח/ה שאתם רוצים להוריד את הפרסומים שלכם?"
|
||||
success: "יצוא החל, תקבלו הודעה כשהתהליך יסתיים"
|
||||
@ -1847,6 +2134,7 @@ he:
|
||||
email_templates:
|
||||
title: "תבניות דואר אלקטרוני"
|
||||
subject: "נושא"
|
||||
multiple_subjects: "תבנית מייל זו מכילה מספר נושאים."
|
||||
body: "הודעה"
|
||||
none_selected: "בחרו תבנית דואר אלקטרוני לעריכה."
|
||||
revert: "ביטול שינויים"
|
||||
@ -1896,13 +2184,17 @@ he:
|
||||
name: 'חבב'
|
||||
description: "צבע הרקע של הכפתור \"חבב\""
|
||||
email:
|
||||
title: "מיילים"
|
||||
settings: "הגדרות"
|
||||
templates: "תבניות"
|
||||
preview_digest: "תצוגה מקדימה של סיכום"
|
||||
sending_test: "שולח דואר אלקטרוני לבדיקה..."
|
||||
error: "<b>שגיאה</b> - %{server_error}"
|
||||
test_error: "הייתה בעיה בשליחת הדואר האלקטרוני. בבקשה בדוק את ההגדרות שלך ונסה שנית."
|
||||
sent: "נשלח"
|
||||
skipped: "דולג"
|
||||
received: "התקבל"
|
||||
rejected: "נדחה"
|
||||
sent_at: "נשלח ב"
|
||||
time: "זמן"
|
||||
user: "משתמש"
|
||||
@ -1920,6 +2212,26 @@ he:
|
||||
last_seen_user: "משתמש שנראה לאחרונה:"
|
||||
reply_key: "מפתח תגובה"
|
||||
skipped_reason: "דלג על סיבה"
|
||||
incoming_emails:
|
||||
from_address: "מאת"
|
||||
to_addresses: "אל"
|
||||
cc_addresses: "העתק"
|
||||
subject: "נושא"
|
||||
error: "שגיאה"
|
||||
none: "לא נמצאו מיילים נכנסים."
|
||||
modal:
|
||||
title: "פרטי מייל שנכנס"
|
||||
error: "שגיאה"
|
||||
headers: "כותרות"
|
||||
subject: "נושא"
|
||||
body: "גוף"
|
||||
rejection_message: "מייל דחייה"
|
||||
filters:
|
||||
from_placeholder: "from@example.com"
|
||||
to_placeholder: "to@example.com"
|
||||
cc_placeholder: "cc@example.com"
|
||||
subject_placeholder: "נושא..."
|
||||
error_placeholder: "שגיאה"
|
||||
logs:
|
||||
none: "לא נמצאו לוגים."
|
||||
filters:
|
||||
@ -1982,6 +2294,12 @@ he:
|
||||
change_category_settings: "שינוי הגדרות קטגוריה"
|
||||
delete_category: "מחק קטגוריה"
|
||||
create_category: "יצירת קטגוריה"
|
||||
block_user: "חסום משתמש"
|
||||
unblock_user: "בטל חסימת משתמש"
|
||||
grant_admin: "הענק ניהול"
|
||||
backup_operation: "פעולת גיבוי"
|
||||
deleted_tag: "תגית נמחקה"
|
||||
renamed_tag: "תגית שונתה"
|
||||
screened_emails:
|
||||
title: "הודעות דואר מסוננות"
|
||||
description: "כשמישהו מנסה ליצור חשבון חדש, כתובות הדואר האלקטרוני הבאות ייבדקו וההרשמה תחסם או שיבוצו פעולות אחרות."
|
||||
@ -2147,6 +2465,9 @@ he:
|
||||
deactivate_failed: "הייתה בעיה בנטרול חשבון המשתמש."
|
||||
unblock_failed: 'הייתה בעיה בביטול חסימת המשתמש.'
|
||||
block_failed: 'הייתה בעיה בחסימת המשתמש.'
|
||||
block_accept: 'כן, חסום משתמש זה'
|
||||
reset_bounce_score:
|
||||
label: "איפוס"
|
||||
deactivate_explanation: "חשבון משתמש מנוטרל נדרש לוודא דואר אלקטרוני מחדש."
|
||||
suspended_explanation: "משתמש מושעה לא יכול להתחבר."
|
||||
block_explanation: "משתמש חסום לא יכול לפרסם הודעות או פוסטים."
|
||||
@ -2215,12 +2536,20 @@ he:
|
||||
title: "להצגה בפרופיל הפומבי?"
|
||||
enabled: "הצגה בפרופיל"
|
||||
disabled: "לא מוצג בפרופיל"
|
||||
show_on_user_card:
|
||||
title: "הצגה על כרטיס משתמש?"
|
||||
enabled: "מוצג על כרטיס משתמש"
|
||||
disabled: "לא מוצג על כרטיס משתמש"
|
||||
field_types:
|
||||
text: 'שדה טקסט'
|
||||
confirm: 'אישור'
|
||||
dropdown: "נגלל"
|
||||
site_text:
|
||||
title: 'תוכן טקסטואלי'
|
||||
edit: 'ערוך'
|
||||
revert: "בטל שינויים"
|
||||
revert_confirm: "האם אתם בטוחים שאתם מעוניינים לבטל את השינויים שלכם?"
|
||||
go_back: "חזרה לחיפוש"
|
||||
site_settings:
|
||||
show_overriden: 'הצג רק הגדרות ששונו'
|
||||
title: 'הגדרות'
|
||||
@ -2252,6 +2581,7 @@ he:
|
||||
login: "התחברות"
|
||||
plugins: "הרחבות"
|
||||
user_preferences: "הגדרות משתמש"
|
||||
tags: "תגיות"
|
||||
badges:
|
||||
title: תגים
|
||||
new_badge: תג חדש
|
||||
@ -2260,6 +2590,7 @@ he:
|
||||
badge: תג
|
||||
display_name: שם תצוגה
|
||||
description: תיאור
|
||||
long_description: תאור ארוך
|
||||
badge_type: סוג תג
|
||||
badge_grouping: קבוצה
|
||||
badge_groupings:
|
||||
@ -2360,91 +2691,3 @@ he:
|
||||
label: "חדש:"
|
||||
add: "הוסף"
|
||||
filter: "חפש (כתובת או כתובת חיצונית)"
|
||||
lightbox:
|
||||
download: "הורד"
|
||||
search_help:
|
||||
title: 'חיפוש בעזרה'
|
||||
keyboard_shortcuts_help:
|
||||
title: 'קיצורי מקלדת'
|
||||
jump_to:
|
||||
title: 'קפוץ ל'
|
||||
home: '<b>g</b>, <b>h</b> בית'
|
||||
latest: '<b>g</b>, <b>l</b> Latest'
|
||||
new: '<b>g</b>, <b>n</b> New'
|
||||
unread: '<b>g</b>, <b>u</b> Unread'
|
||||
categories: '<b>g</b>, <b>c</b> Categories'
|
||||
top: '<b>g</b>, <b>t</b> Top'
|
||||
bookmarks: 'סימניות <b>g</b>, <b>b</b>'
|
||||
profile: '<b>g</b>, <b>p</b> פרופיל'
|
||||
messages: '<b>g</b>, <b>m</b> הודעות'
|
||||
navigation:
|
||||
title: 'ניווט'
|
||||
jump: '<b>#</b> מעבר לפרסום #'
|
||||
back: '<b>u</b> חזרה'
|
||||
up_down: '<b>k</b>/<b>j</b> Move selection ↑ ↓'
|
||||
open: '<b>o</b> או <b>Enter</b> פתח פוסט נבחר'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b>לחלק הבא/קודם'
|
||||
application:
|
||||
title: 'יישום'
|
||||
create: '<b>c</b> צור פוסט חדש'
|
||||
notifications: '<b>n</b> פתח התראות'
|
||||
hamburger_menu: '<b>=</b> פתח תפריט המבורגר'
|
||||
user_profile_menu: '<b>p</b>פתיחת תפריט משתמש/ת'
|
||||
show_incoming_updated_topics: '<b>.</b> הצגת פוסטים שעודכנו'
|
||||
search: '<b>/</b> חיפוש'
|
||||
help: '<b>?</b> הצגת עזרת מקלדת'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> שחרור הודעות/חדשות'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> שחרור פוסטים'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> התנתק'
|
||||
actions:
|
||||
title: 'פעולות'
|
||||
bookmark_topic: '<b>f</b> החלפת פוסט סימניה'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b>קיבוע/שחרור פוסט'
|
||||
share_topic: '<b>shift</b>+<b>s</b> שיתוף הפוסט'
|
||||
share_post: '<b>s</b> שיתוף הודעה'
|
||||
reply_as_new_topic: '<b>t</b> תגובה כפוסט מקושר'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> תשובה לפוסט'
|
||||
reply_post: '<b>r</b> להגיב להודעה'
|
||||
quote_post: '<b> q </b> ציטוט פוסט'
|
||||
like: '<b>l</b> תן לייק להודעה'
|
||||
flag: '<b>!</b> סימון הודעה'
|
||||
bookmark: '<b>b</b> הוסף הודעה למועדפים'
|
||||
edit: '<b>e</b> ערוך הודעה'
|
||||
delete: '<b>d</b> מחק הודעה'
|
||||
mark_muted: '<b>m</b>, <b>m</b> השתקת פוסט'
|
||||
mark_regular: '<b>m</b>, <b>r</b> פוסט רגיל (ברירת מחדל)'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> מעקב פוסט'
|
||||
mark_watching: '<b>m</b>, <b>w</b>צפייה בפוסט'
|
||||
badges:
|
||||
title: תגים
|
||||
badge_count:
|
||||
one: "תג אחד"
|
||||
other: "%{count} תגים"
|
||||
more_badges:
|
||||
one: "עוד +1"
|
||||
other: "עוד +%{count}"
|
||||
granted:
|
||||
one: "1 הוענק"
|
||||
other: "%{count} הוענקו"
|
||||
select_badge_for_title: בחר תג שיופיע בכותרת הפרופיל שלך
|
||||
none: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: מתחילים
|
||||
community:
|
||||
name: קהילה
|
||||
trust_level:
|
||||
name: רמת אמון
|
||||
other:
|
||||
name: אחר
|
||||
posting:
|
||||
name: פרסום
|
||||
google_search: |
|
||||
<h3>חפש עם גוגל</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
|
||||
@ -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: '<b>c</b> Buat topik baru'
|
||||
notifications: '<b>n</b> Buka notifikasi'
|
||||
search: '<b>/</b> Cari'
|
||||
actions:
|
||||
title: 'Aksi'
|
||||
badges:
|
||||
badge_grouping:
|
||||
trust_level:
|
||||
name: Tingkat Kepercayaan
|
||||
other:
|
||||
name: Lainnya
|
||||
google_search: |
|
||||
<h3>Cari dengan Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
tagging:
|
||||
sort_by_name: "nama"
|
||||
topics:
|
||||
none:
|
||||
new: "Anda tidak memiliki topik baru."
|
||||
bottom:
|
||||
new: "Tidak ada topik baru lainnya."
|
||||
|
||||
@ -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: '<b>g</b>, <b>h</b> Home'
|
||||
latest: '<b>g</b>, <b>l</b> Ultimi'
|
||||
new: '<b>g</b>, <b>n</b> Nuovi'
|
||||
unread: '<b>g</b>, <b>u</b> Non letti'
|
||||
categories: '<b>g</b>, <b>c</b> Categorie'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Segnalibri'
|
||||
profile: '<b>g</b>, <b>p</b> Profilo'
|
||||
messages: '<b>g</b>, <b>m</b> Messaggi'
|
||||
navigation:
|
||||
title: 'Navigazione'
|
||||
jump: '<b>#</b> Vai al messaggio n°'
|
||||
back: '<b>u</b> Indietro'
|
||||
up_down: '<b>k</b>/<b>j</b> Sposta la selezione ↑ ↓'
|
||||
open: '<b>o</b> o <b>Enter</b> Apri l''argomento selezionato'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Prossima/precedente sezione'
|
||||
application:
|
||||
title: 'Applicazione'
|
||||
create: '<b>c</b> Crea un nuovo argomento'
|
||||
notifications: '<b>n</b> Apri notifiche'
|
||||
hamburger_menu: '<b>=</b> Apri il menu hamburger'
|
||||
user_profile_menu: '<b>p</b> Apri menu utente'
|
||||
show_incoming_updated_topics: '<b>.</b> Mostra argomenti aggiornati'
|
||||
search: '<b>/</b> Cerca'
|
||||
help: '<b>?</b> Apri la legenda tasti'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Chiudi Nuovi Messaggi'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Chiudi Argomenti'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> 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:
|
||||
|
||||
@ -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: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> accepted your invitation</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> moved {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p> '{{description}}' バッジをゲット!</p>"
|
||||
group_message_summary:
|
||||
other: "<i title='グループ宛にメッセージが届いています' class='fa fa-group'></i><p> {{count}}件のメッセージが{{group_name}}へ着ています</p>"
|
||||
@ -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: '<b>g</b>, <b>h</b> ホーム'
|
||||
latest: '<b>g</b>, <b>l</b> 最新'
|
||||
new: '<b>g</b>, <b>n</b> 新着'
|
||||
unread: '<b>g</b>, <b>u</b> 未読'
|
||||
categories: '<b>g</b>, <b>c</b> カテゴリ'
|
||||
top: '<b>g</b>, <b>t</b> トップ'
|
||||
bookmarks: '<b>g</b>, <b>b</b> ブックマーク'
|
||||
profile: '<b>g</b>, <b>p</b> プロフィール'
|
||||
messages: '<b>g</b>, <b>m</b> メッセージ'
|
||||
navigation:
|
||||
jump: '<b>#</b> # 投稿へ'
|
||||
back: '<b>u</b> 戻る'
|
||||
open: '<b>o</b> or <b>Enter</b> トピックへ'
|
||||
application:
|
||||
create: '<b>c</b> 新しいトピックを作成'
|
||||
notifications: '<b>n</b> お知らせを開く'
|
||||
hamburger_menu: '<b>=</b> メニューを開く'
|
||||
user_profile_menu: '<b>p</b> ユーザメニュを開く'
|
||||
show_incoming_updated_topics: '<b>.</b> 更新されたトピックを表示する'
|
||||
search: '<b>/</b> 検索'
|
||||
help: '<b>?</b> キーボードヘルプを表示する'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> 新しい投稿を非表示にする'
|
||||
dismiss_topics: 'Dismiss Topics'
|
||||
log_out: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> 次のセクション/前のセクション'
|
||||
actions:
|
||||
bookmark_topic: '<b>f</b> トピックのブックマークを切り替え'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b>トピックを ピン留め/ピン留め解除'
|
||||
share_topic: '<b>shift</b>+<b>s</b> トピックをシェア'
|
||||
share_post: '<b>s</b> 投稿をシェアする'
|
||||
reply_as_new_topic: '<b>t</b> トピックへリンクして返信'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> トピックに返信'
|
||||
reply_post: '<b>r</b> 投稿に返信'
|
||||
quote_post: '<b>q</b> 投稿を引用する'
|
||||
like: '<b>l</b> 投稿を「いいね!」する'
|
||||
flag: '<b>!</b> 投稿を通報'
|
||||
bookmark: '<b>b</b> 投稿をブックマークする'
|
||||
edit: '<b>e</b> 投稿を編集'
|
||||
mark_muted: '<b>m</b>, <b>m</b> トピックをミュートする'
|
||||
mark_regular: '<b>m</b>, <b>r</b> レギュラー(デフォルト)トピックにする'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> トピックを追跡する'
|
||||
mark_watching: '<b>m</b>, <b>w</b> トピックをウォッチする'
|
||||
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アドレスからのサインアップを以後<b>ブロック</b>"
|
||||
delete_and_block: "アカウントを削除し、同一メールアドレス及びIPアドレスからのサインアップを<b>ブロックします</b>"
|
||||
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: "<b>%{count}</b>個のバッジが付与されています"
|
||||
sample: "サンプル:"
|
||||
grant:
|
||||
with: <span class="username">%{username}</span>
|
||||
@ -2340,7 +2392,7 @@ ja:
|
||||
with_time: <span class="username">%{username}</span> at <span class="time">%{time}</span>
|
||||
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: '<b>g</b>, <b>h</b> ホーム'
|
||||
latest: '<b>g</b>, <b>l</b> 最新'
|
||||
new: '<b>g</b>, <b>n</b> 新着'
|
||||
unread: '<b>g</b>, <b>u</b> 未読'
|
||||
categories: '<b>g</b>, <b>c</b> カテゴリ'
|
||||
top: '<b>g</b>, <b>t</b> トップ'
|
||||
bookmarks: '<b>g</b>, <b>b</b> ブックマーク'
|
||||
profile: '<b>g</b>, <b>p</b> プロフィール'
|
||||
messages: '<b>g</b>, <b>m</b> メッセージ'
|
||||
navigation:
|
||||
title: 'ナビゲーション'
|
||||
jump: '<b>#</b> # 投稿へ'
|
||||
back: '<b>u</b> 戻る'
|
||||
up_down: '<b>k</b>/<b>j</b> トピック・投稿 ↑ ↓移動'
|
||||
open: '<b>o</b> or <b>Enter</b> トピックへ'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> 次のセクション/前のセクション'
|
||||
application:
|
||||
title: 'アプリケーション'
|
||||
create: '<b>c</b> 新しいトピックを作成'
|
||||
notifications: '<b>n</b> お知らせを開く'
|
||||
hamburger_menu: '<b>=</b> メニューを開く'
|
||||
user_profile_menu: '<b>p</b> ユーザメニュを開く'
|
||||
show_incoming_updated_topics: '<b>.</b> 更新されたトピックを表示する'
|
||||
search: '<b>/</b> 検索'
|
||||
help: '<b>?</b> キーボードヘルプを表示する'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> 新しい投稿を非表示にする'
|
||||
dismiss_topics: 'Dismiss Topics'
|
||||
actions:
|
||||
title: '操作'
|
||||
bookmark_topic: '<b>f</b> トピックのブックマークを切り替え'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b>トピックを ピン留め/ピン留め解除'
|
||||
share_topic: '<b>shift</b>+<b>s</b> トピックをシェア'
|
||||
share_post: '<b>s</b> 投稿をシェアする'
|
||||
reply_as_new_topic: '<b>t</b> トピックへリンクして返信'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> トピックに返信'
|
||||
reply_post: '<b>r</b> 投稿に返信'
|
||||
quote_post: '<b>q</b> 投稿を引用する'
|
||||
like: '<b>l</b> 投稿を「いいね!」する'
|
||||
flag: '<b>!</b> 投稿を通報'
|
||||
bookmark: '<b>b</b> 投稿をブックマークする'
|
||||
edit: '<b>e</b> 投稿を編集'
|
||||
delete: '<b>d</b> 投稿を削除する'
|
||||
mark_muted: '<b>m</b>, <b>m</b> トピックをミュートする'
|
||||
mark_regular: '<b>m</b>, <b>r</b> 通常トピックにする'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> トピックを追跡する'
|
||||
mark_watching: '<b>m</b>, <b>w</b> トピックを参加中にする'
|
||||
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: "検索結果は以上です。"
|
||||
|
||||
File diff suppressed because it is too large
Load Diff
@ -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: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> accepted your invitation</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> moved {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Ble tildelt '{{description}}'</p>"
|
||||
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: (<b>påkrevet</a>, 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: '<b>g</b>, <b>h</b> Hjem'
|
||||
latest: '<b>g</b>, <b>l</b> Siste'
|
||||
new: '<b>g</b>, <b>n</b> Nye'
|
||||
unread: '<b>g</b>, <b>u</b> Ules'
|
||||
categories: '<b>g</b>, <b>c</b> Kategorier'
|
||||
top: '<b>g</b>, <b>t</b> Topp'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Bokmerker'
|
||||
navigation:
|
||||
title: 'Navigasjon'
|
||||
jump: '<b>#</b> Gå til innlegg #'
|
||||
back: '<b>u</b> Tilbake'
|
||||
up_down: '<b>k</b>/<b>j</b> Flytt markering ↑ ↓'
|
||||
open: '<b>o</b> or <b>Enter</b> Åpne valgt emne'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Neste/Forrige'
|
||||
application:
|
||||
title: 'Applikasjon'
|
||||
create: '<b>c</b> Opprett nytt emne'
|
||||
notifications: '<b>n</b> Åpne varsler'
|
||||
user_profile_menu: '<b>p</b> Åpne brukermenyen'
|
||||
show_incoming_updated_topics: '<b>.</b> Vis oppdaterte emner'
|
||||
search: '<b>/</b> Søk'
|
||||
help: '<b>?</b> Åpne tastaturhjelp'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Avvis Nye/Innlegg'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Avvis Emner'
|
||||
actions:
|
||||
title: 'Handlinger'
|
||||
bookmark_topic: '<b>f</b> Bokmerk emne / Fjern bokmerke'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Pin/fjern pin fra emne'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Del emne'
|
||||
share_post: '<b>s</b> Del innlegg'
|
||||
reply_as_new_topic: '<b>t</b> Svar med lenket emne'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Svar på emne'
|
||||
reply_post: '<b>r</b> Svar på innlegg'
|
||||
quote_post: '<b>q</b> Siter innlegg'
|
||||
like: '<b>l</b> Lik innlegg'
|
||||
flag: '<b>!</b> Rapporter innlegg'
|
||||
bookmark: '<b>b</b> Bokmerk innlegg'
|
||||
edit: '<b>e</b> Rediger innlegg'
|
||||
delete: '<b>d</b> Slett innlegg'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Demp emne'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Vanlig (standard) emne'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Spor emne'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<ingen>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Kom i gang
|
||||
community:
|
||||
name: Nettsamfunn
|
||||
trust_level:
|
||||
name: Tillitsnivå
|
||||
other:
|
||||
name: Annet
|
||||
posting:
|
||||
name: Posting
|
||||
tagging:
|
||||
sort_by: "Sorter etter:"
|
||||
notifications:
|
||||
muted:
|
||||
title: "Dempet"
|
||||
topics:
|
||||
none:
|
||||
unread: "Du har ingen uleste emner"
|
||||
|
||||
File diff suppressed because it is too large
Load Diff
@ -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ęć"
|
||||
|
||||
@ -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 <br/>LT"
|
||||
long_date_with_year_with_linebreak: "DD MMM, 'YY <br/>LT"
|
||||
wrap_ago: "%{date} atrás"
|
||||
tiny:
|
||||
half_a_minute: "< 1m"
|
||||
less_than_x_seconds:
|
||||
@ -115,7 +117,9 @@ pt:
|
||||
private_topic: "tornei este tópico privado %{when}"
|
||||
split_topic: "dividir este tópico %{when}"
|
||||
invited_user: "Convidou %{who} %{when}"
|
||||
invited_group: "convidou %{who} %{when}"
|
||||
removed_user: "Removeu %{who} %{when}"
|
||||
removed_group: "removeu %{who} %{when}"
|
||||
autoclosed:
|
||||
enabled: 'fechado %{when}'
|
||||
disabled: 'aberto %{when}'
|
||||
@ -151,6 +155,7 @@ pt:
|
||||
ap_northeast_1: "Ásia-Pacífico (Tóquio)"
|
||||
ap_northeast_2: "Ásia-Pacífico (Seoul)"
|
||||
sa_east_1: "América do Sul (São Paulo)"
|
||||
cn_north_1: "China (Beijing)"
|
||||
edit: 'editar o título e a categoria deste tópico'
|
||||
not_implemented: "Essa funcionalidade ainda não foi implementada, pedimos desculpa!"
|
||||
no_value: "Não"
|
||||
@ -251,8 +256,8 @@ pt:
|
||||
undo: "Desfazer"
|
||||
revert: "Reverter"
|
||||
failed: "Falhou"
|
||||
switch_to_anon: "Modo Anónimo"
|
||||
switch_from_anon: "Sair de Anónimo"
|
||||
switch_to_anon: "Entrar em modo Anónimo"
|
||||
switch_from_anon: "Sair de modo Anónimo"
|
||||
banner:
|
||||
close: "Destituir esta faixa."
|
||||
edit: "Editar esta faixa >>"
|
||||
@ -302,6 +307,8 @@ pt:
|
||||
title: "Utilizadores"
|
||||
likes_given: "Dado"
|
||||
likes_received: "Recebido"
|
||||
topics_entered: "Visto"
|
||||
topics_entered_long: "Tópicos Visualizados"
|
||||
time_read: "Tempo Lido"
|
||||
topic_count: "Tópicos"
|
||||
topic_count_long: "Tópicos Criados"
|
||||
@ -326,6 +333,7 @@ pt:
|
||||
selector_placeholder: "Adicionar membros"
|
||||
owner: "proprietário"
|
||||
visible: "O grupo é visível para todos os utilizadores"
|
||||
index: "Grupos"
|
||||
title:
|
||||
one: "grupo"
|
||||
other: "grupos"
|
||||
@ -442,7 +450,6 @@ pt:
|
||||
disable: "Desativar Notificações"
|
||||
enable: "Ativar Notificações"
|
||||
each_browser_note: "Nota: Tem que alterar esta configuração em todos os navegadores de internet que utiliza."
|
||||
dismiss_notifications: "Marcar tudo como lido"
|
||||
dismiss_notifications_tooltip: "Marcar como lidas todas as notificações por ler"
|
||||
disable_jump_reply: "Não voltar para a minha mensagem após ter respondido"
|
||||
dynamic_favicon: "Mostrar contagem de tópicos novos / atualizados no ícone do browser."
|
||||
@ -457,10 +464,10 @@ pt:
|
||||
suspended_notice: "Este utilizador está suspenso até {{date}}."
|
||||
suspended_reason: "Motivo: "
|
||||
github_profile: "Github"
|
||||
tag_settings: "Etiquetas"
|
||||
muted_tags: "Silenciado"
|
||||
watched_categories: "Vigiado"
|
||||
watched_categories_instructions: "Irá acompanhar automaticamente todos os novos tópicos nestas categorias. Será notificado de todas as novas mensagens e tópicos, e uma contagem de novas mensagens irá aparecer junto ao tópico."
|
||||
tracked_categories: "Acompanhado"
|
||||
tracked_categories_instructions: "Irá acompanhar automaticamente todos os novos tópicos nestas categorias. Uma contagem de novas mensagens irá aparecer junto ao tópico."
|
||||
muted_categories: "Silenciado"
|
||||
muted_categories_instructions: "Não será notificado de nada acerca de novos tópicos nestas categorias, e estes não irão aparecer nos recentes."
|
||||
delete_account: "Eliminar A Minha Conta"
|
||||
@ -746,8 +753,6 @@ pt:
|
||||
too_few_topics_notice: "Vamos <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>começar esta discussão!</a> Atualmente existem <strong>%{currentTopics} / %{requiredTopics}</strong> tópios. Novos visitantes precisam de algumas conversações para ler e responder a."
|
||||
too_few_posts_notice: "Vamos <a href='http://blog.discourse.org/2014/08/building-a-discourse-community/'>começar esta discussão!</a> Atualmente existem <strong>%{currentPosts} / %{requiredPosts}</strong> mensagens. Novos visitantes precisam de algumas conversações para ler e responder a."
|
||||
logs_error_rate_notice:
|
||||
reached: "%{timestamp}: Velocidade corrente de <a href='%{url}' target='_blank'>%{rate}</a> alcançou o limite definido nas configurações do site de %{siteSettingRate}."
|
||||
exceeded: "%{timestamp}: Velocidade corrente de <a href='%{url}' target='_blank'>%{rate}</a> excedeu o limite definido nas configurações do site de %{siteSettingRate}."
|
||||
rate:
|
||||
one: "1 erro/%{duration}"
|
||||
other: "%{count} erros/%{duration}"
|
||||
@ -855,10 +860,6 @@ pt:
|
||||
github:
|
||||
title: "com GitHub"
|
||||
message: "A autenticar com GitHub (certifique-se de que os bloqueadores de popup estão desativados)"
|
||||
apple_international: "Apple/International"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
@ -876,7 +877,6 @@ pt:
|
||||
saved_local_draft_tip: "guardado localmente"
|
||||
similar_topics: "O seu tópico é similar a..."
|
||||
drafts_offline: "rascunhos offline"
|
||||
group_mentioned: "Ao usar {{group}}, estará a notificar <a href='{{group_link}}'>{{count}} pessoas</a>."
|
||||
error:
|
||||
title_missing: "O título é obrigatório"
|
||||
title_too_short: "O título tem que ter pelo menos {{min}} caracteres."
|
||||
@ -963,7 +963,6 @@ pt:
|
||||
invited_to_topic: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> aceitou o seu convite</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> moveu {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Ganhou '{{description}}'</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='messages in group inbox' class='fa fa-group'></i><p> {{count}} mensagem na caixa de entrada do seu grupo {{group_name}}</p>"
|
||||
@ -1257,8 +1256,6 @@ pt:
|
||||
no_banner_exists: "Não existe tópico de faixa."
|
||||
banner_exists: "<strong class='badge badge-notification unread'>Existe</strong> 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: (<b>Obrigatório<b>, 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: '<b>g</b>, <b>h</b> Página Principal'
|
||||
latest: '<b>g</b>, <b>l</b> Recentes'
|
||||
new: '<b>g</b>, <b>n</b> Novo'
|
||||
unread: '<b>g</b>, <b>u</b> Não lido'
|
||||
categories: '<b>g</b>, <b>c</b> Categorias'
|
||||
top: '<b>g</b>, <b>t</b> Os Melhores'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Marcadores'
|
||||
profile: '<b>g</b>, <b>p</b> Perfil'
|
||||
messages: '<b>g</b>, <b>m</b> Mensagens'
|
||||
navigation:
|
||||
title: 'Navegação'
|
||||
jump: '<b>#</b> Ir para o post #'
|
||||
back: '<b>u</b> Retroceder'
|
||||
up_down: '<b>k</b>/<b>j</b> Mover seleção ↑ ↓'
|
||||
open: '<b>o</b> ou <b>Enter</b> Abrir tópico selecionado'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Secção Seguinte/Anterior'
|
||||
application:
|
||||
title: 'Aplicação'
|
||||
create: '<b>c</b> Criar um novo tópico'
|
||||
notifications: '<b>n</b> Abrir notificações'
|
||||
hamburger_menu: '<b>=</b> Abrir menu hamburger'
|
||||
user_profile_menu: '<b>p</b> Abrir menu do utilizador'
|
||||
show_incoming_updated_topics: '<b>.</b> Mostrar tópicos atualizados'
|
||||
search: '<b>/</b> Pesquisar'
|
||||
help: '<b>?</b> Abrir ajuda do teclado'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Destituir Novos/Mensagens'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Destituir Tópicos'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Terminar Sessão'
|
||||
actions:
|
||||
title: 'Ações'
|
||||
bookmark_topic: '<b>f</b> Alternar marcador de tópico'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Tópico Fixado/Desafixado'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Partilhar tópico'
|
||||
share_post: '<b>s</b> Partilhar mensagem'
|
||||
reply_as_new_topic: '<b>t</b> Responder como tópico hiperligado'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Responder ao tópico'
|
||||
reply_post: '<b>r</b> Responder à mensagem'
|
||||
quote_post: '<b>q</b> Citar mensagem'
|
||||
like: '<b>l</b> Gostar da mensagem'
|
||||
flag: '<b>!</b> Sinalizar mensagem'
|
||||
bookmark: '<b>b</b> Adicionar mensagem aos marcadores'
|
||||
edit: '<b>e</b> Editar mensagem'
|
||||
delete: '<b>d</b> Eliminar mensagem'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Silenciar tópico'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Tópico Habitual (por defeito)'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Acompanhar tópico'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Dar Início
|
||||
community:
|
||||
name: Comunidade
|
||||
trust_level:
|
||||
name: Nível de Confiança
|
||||
other:
|
||||
name: Outro
|
||||
posting:
|
||||
name: A publicar
|
||||
google_search: |
|
||||
<h3>Pesquise com o Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
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."
|
||||
|
||||
@ -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 <br/>LT"
|
||||
long_date_with_year_with_linebreak: "MMM D, YY <br/>LT"
|
||||
wrap_ago: "%{date} atrás"
|
||||
tiny:
|
||||
half_a_minute: "< 1m"
|
||||
less_than_x_seconds:
|
||||
@ -115,7 +117,9 @@ pt_BR:
|
||||
private_topic: "tornou este tópico privado em %{when}"
|
||||
split_topic: "dividiu este tópico %{when}"
|
||||
invited_user: "convidou %{who} %{when}"
|
||||
invited_group: "convidou %{who} %{when}"
|
||||
removed_user: "removido %{who} %{when}"
|
||||
removed_group: "removido %{who} %{when}"
|
||||
autoclosed:
|
||||
enabled: 'fechou %{when}'
|
||||
disabled: 'abriu %{when}'
|
||||
@ -249,8 +253,6 @@ pt_BR:
|
||||
undo: "Desfazer"
|
||||
revert: "Reverter"
|
||||
failed: "Falhou"
|
||||
switch_to_anon: "Modo Anônimo"
|
||||
switch_from_anon: "Sair do Modo Anônimo"
|
||||
banner:
|
||||
close: "Ignorar este banner."
|
||||
edit: "Editar este banner >>"
|
||||
@ -326,6 +328,7 @@ pt_BR:
|
||||
selector_placeholder: "Adicionar membros"
|
||||
owner: "proprietário"
|
||||
visible: "Grupo é visível para todos os usuários"
|
||||
index: "Grupos"
|
||||
title:
|
||||
one: "grupo"
|
||||
other: "grupos"
|
||||
@ -348,6 +351,8 @@ pt_BR:
|
||||
watching:
|
||||
title: "Assistindo"
|
||||
description: "Você será notificado sobre toda nova postagem em toda mensagem, e uma contagem de novas mensagens será mostrada."
|
||||
watching_first_post:
|
||||
description: "Você somente será notificado sobre a primeira postagem em cada novo tópico neste grupo."
|
||||
tracking:
|
||||
title: "Rastreando"
|
||||
description: "Você será notificado se alguém mencionar seu @name ou responder a você, e uma contagem de novas respostas será mostrada."
|
||||
@ -442,7 +447,6 @@ pt_BR:
|
||||
disable: "Desativar Notificações"
|
||||
enable: "Ativar Notificações"
|
||||
each_browser_note: "Nota: Você deve modificar essa configuração em todos navegadores que você usa."
|
||||
dismiss_notifications: "Marcar todas como lidas"
|
||||
dismiss_notifications_tooltip: "Marcar todas as notificações não lidas como lidos"
|
||||
disable_jump_reply: "Não pular para o meu tópico depois que eu respondo"
|
||||
dynamic_favicon: "Exibir ícone no navegador de tópicos novos / atualizados."
|
||||
@ -460,10 +464,12 @@ pt_BR:
|
||||
email_activity_summary: "Sumário de Atividades"
|
||||
mailing_list_mode:
|
||||
daily: "Enviar atualizações diárias"
|
||||
individual: "Enviar email para cada postagem nova"
|
||||
few_per_day: "Me envie um email para cada nova postagem (aproximadamente 2 por dia)"
|
||||
tracked_tags: "Monitorado"
|
||||
muted_tags: "Silenciado"
|
||||
watched_categories: "Acompanhados"
|
||||
watched_categories_instructions: "Você vai acompanhar automaticamente todos os novos tópicos dessas categorias. Você será notificado de todas as novas mensagens e tópicos. Além disso, a contagem de mensagens não lidas e novas também aparecerá ao lado do tópico."
|
||||
tracked_categories: "Monitorado"
|
||||
tracked_categories_instructions: "Automaticamente monitora todos novos tópicos nestas categorias. Uma contagem de posts não lidos e novos aparecerá próximo ao tópico."
|
||||
muted_categories: "Silenciado"
|
||||
muted_categories_instructions: "Você não será notificado sobre novos tópicos nessas categorias, e não aparecerão no Recentes"
|
||||
delete_account: "Excluir Minha Conta"
|
||||
@ -476,6 +482,7 @@ pt_BR:
|
||||
muted_users: "Silenciado"
|
||||
muted_users_instructions: "Suprimir todas as notificações destes usuários."
|
||||
muted_topics_link: "Mostrar tópicos silenciados"
|
||||
watched_topics_link: "Mostrar tópicos observados"
|
||||
automatically_unpin_topics: "Desafixar automaticamente os tópicos quando eu chegar ao fundo."
|
||||
staff_counters:
|
||||
flags_given: "sinalizadas úteis"
|
||||
@ -779,6 +786,7 @@ pt_BR:
|
||||
title: "Mensagem"
|
||||
invite: "Convidar outros..."
|
||||
remove_allowed_user: "Tem a certeza que deseja remover {{name}} desta mensagem?"
|
||||
remove_allowed_group: "Tem a certeza que deseja remover {{name}} desta mensagem?"
|
||||
email: 'Email'
|
||||
username: 'Nome de Usuário'
|
||||
last_seen: 'Visto'
|
||||
@ -845,10 +853,9 @@ pt_BR:
|
||||
github:
|
||||
title: "com GitHub"
|
||||
message: "Autenticando com GitHub (certifique-se de que os bloqueadores de popup estejam desativados)"
|
||||
apple_international: "Apple/International"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
emoji_set:
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
@ -866,7 +873,6 @@ pt_BR:
|
||||
saved_local_draft_tip: "salvo localmente"
|
||||
similar_topics: "Seu tópico é parecido com..."
|
||||
drafts_offline: "rascunhos offline"
|
||||
group_mentioned: "Ao usar {{group}}, você irá notificar <a href='{{group_link}}'>{{count}} pessoas.</a>."
|
||||
error:
|
||||
title_missing: "Título é obrigatório"
|
||||
title_too_short: "O título tem que ter no mínimo {{min}} caracteres"
|
||||
@ -953,7 +959,6 @@ pt_BR:
|
||||
invited_to_topic: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> accepted your invitation</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> moved {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Adquirido '{{description}}'</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='messages in group inbox' class='fa fa-group'></i><p> {{count}} mensagem na caixa de entrada de {{group_name}}</p>"
|
||||
@ -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: '<b>g</b>, <b>h</b> Home'
|
||||
latest: '<b>g</b>, <b>l</b> Últimos'
|
||||
new: '<b>g</b>, <b>n</b> Novo'
|
||||
unread: '<b>g</b>, <b>u</b> Não Lidos'
|
||||
categories: '<b>g</b>, <b>c</b> Categorias'
|
||||
top: '<b>g</b>, <b>t</b> Topo'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Favoritos'
|
||||
profile: '<b>g</b>, <b>p</b> Perfil'
|
||||
messages: '<b>g</b>, <b>m</b> Mensagens'
|
||||
navigation:
|
||||
title: 'Navegação'
|
||||
jump: '<b>#</b> Ir para a resposta #'
|
||||
back: '<b>u</b> Voltar'
|
||||
up_down: '<b>k</b>/<b>j</b> Move seleção ↑ ↓'
|
||||
open: '<b>o</b> ou <b>Enter</b> Abre tópico selecionado'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Pŕoxima seção/seção anterior'
|
||||
application:
|
||||
title: 'Aplicação'
|
||||
create: '<b>c</b> Criar um tópico novo'
|
||||
notifications: '<b>n</b> Abre notificações'
|
||||
hamburger_menu: '<b>=</b> Abrir menu hamburger'
|
||||
user_profile_menu: '<b>p</b> Abrir menu do usuário'
|
||||
show_incoming_updated_topics: '<b>.</b> Exibir tópicos atualizados'
|
||||
search: '<b>/</b> Pesquisa'
|
||||
help: '<b>?</b> Abrir ajuda de teclado'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Descartar Novas Postagens'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Descartar Tópicos'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Deslogar'
|
||||
actions:
|
||||
title: 'Ações'
|
||||
bookmark_topic: '<b>f</b> Adicionar tópico aos favoritos'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Fixar/Desfixar tópico'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Compartilhar tópico'
|
||||
share_post: '<b>s</b> Compartilhar mensagem'
|
||||
reply_as_new_topic: '<b>t</b> Responder como tópico linkado'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Responder ao tópico'
|
||||
reply_post: '<b>r</b> Responder a mensagem'
|
||||
quote_post: '<b>q</b> Citar resposta'
|
||||
like: '<b>l</b> Curtir a mensagem'
|
||||
flag: '<b>!</b> Sinalizar mensagem'
|
||||
bookmark: '<b>b</b> Marcar mensagem'
|
||||
edit: '<b>e</b> Editar mensagem'
|
||||
delete: '<b>d</b> Excluir mensagem'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Silenciar tópico'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Tópico (default) normal'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Monitorar tópico'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<nenhum>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Começando
|
||||
community:
|
||||
name: Comunidade
|
||||
trust_level:
|
||||
name: Nível de confiança
|
||||
other:
|
||||
name: Outro
|
||||
posting:
|
||||
name: Postando
|
||||
google_search: |
|
||||
<h3>Buscar com o Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
|
||||
@ -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: "<i class='fa fa-heart'></i> dat"
|
||||
few: "<i class='fa fa-heart'></i> date"
|
||||
other: "de <i class='fa fa-heart'></i> date"
|
||||
likes_received:
|
||||
one: "<i class='fa fa-heart'></i> primit"
|
||||
few: "<i class='fa fa-heart'></i> primite"
|
||||
other: "de <i class='fa fa-heart'></i> 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: "<i title='a invitat la discuţie' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='a acceptat invitația ta' class='fa fa-user'></i><p><span>{{username}}</span> a acceptat invitația ta</p>"
|
||||
moved_post: "<i title='postare mutată' class='fa fa-sign-out'></i><p><span>{{username}}</span> mutată {{description}}</p>"
|
||||
linked: "<i title='adresă de postare' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='insignă acordată' class='fa fa-certificate'></i><p> Ţi s-a acordat {{description}}</p>"
|
||||
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: (<b>Neapărat</b>, 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: '<b>g</b>, <b>h</b> Acasă'
|
||||
latest: '<b>g</b> apoi <b>l</b> ultimele'
|
||||
new: '<b>g</b> apoi <b>n</b> noi'
|
||||
unread: '<b>g</b> apoi <b>u</b> Necitite'
|
||||
categories: '<b>g</b> apoi <b>c</b> Categorii'
|
||||
top: '<b>g</b>, <b>t</b> Top'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Semne de carte'
|
||||
messages: '<b>g</b>, <b>m</b> Mesaje'
|
||||
navigation:
|
||||
title: 'Navigare'
|
||||
jump: '<b>#</b> Mergi la mesajul #'
|
||||
back: '<b>u</b> Înapoi'
|
||||
up_down: '<b>k</b>/<b>j</b> Muta selecția sus/jos'
|
||||
open: '<b>o</b> sau <b>Introdu</b> Deschide discutia selectată'
|
||||
next_prev: '<b>`</b>/<b>~</b> selecția Urmatoare/Precedentă'
|
||||
application:
|
||||
title: 'Applicația'
|
||||
create: '<b>c</b> Creează discuție nouă'
|
||||
notifications: '<b>n</b> Deschide notificare'
|
||||
hamburger_menu: '<b>=</b> Deschide meniul hamburger'
|
||||
user_profile_menu: '<b>p</b> Deschide meniu utilizator'
|
||||
show_incoming_updated_topics: '<b>.</b> Arată discuţiile actualizate'
|
||||
search: '<b>/</b> Caută'
|
||||
help: '<b>?</b> Vezi comenzi rapide disponibile'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Respinge Nou/Mesaje'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Respinge discuţiile'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Ieșire din cont'
|
||||
actions:
|
||||
title: 'Acțiuni'
|
||||
bookmark_topic: '<b>f</b> Comută semnul de carte pentru discuţie'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Promovează discuția'
|
||||
share_topic: '<b>shift s</b> distribuie discuție'
|
||||
share_post: '<b>s</b> Distribuie mesajul'
|
||||
reply_as_new_topic: '<b>t</b> Răspunde că discuţie conexă'
|
||||
reply_topic: '<b>shift r</b> Raspunde la discuție'
|
||||
reply_post: '<b>r</b> Răspunde la postare'
|
||||
quote_post: '<b>q</b> Citează mesajul'
|
||||
like: '<b>l</b> Apreciează mesajul'
|
||||
flag: '<b>!</b> Reclamă mesajul'
|
||||
bookmark: '<b>b</b> Salvează postarea'
|
||||
edit: '<b>e</b> Editează mesaj'
|
||||
delete: '<b>d</b> Șterge mesaj'
|
||||
mark_muted: '<b>m</b> apoi <b>m</b> Treceți discuția în mod silențios'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Discuție normală (implicită)'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Urmăriți discuția'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Cum începem
|
||||
community:
|
||||
name: Communitate
|
||||
trust_level:
|
||||
name: Nivel de încredere
|
||||
other:
|
||||
name: Altele
|
||||
posting:
|
||||
name: Postând
|
||||
google_search: |
|
||||
<h3>Căutați cu Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
|
||||
@ -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: "Вы уверены, что хотите получать письма буквально о каждом новом сообщении на форуме?<br><br>Это будет в среднем <b>{{count}} письма</b> в день, а иногда больше."
|
||||
many: "Вы уверены, что хотите получать письма буквально о каждом новом сообщении на форуме?<br><br>Это будет в среднем <b>{{count}} писем</b> в день, а иногда больше."
|
||||
other: "Вы уверены, что хотите получать письма буквально о каждом новом сообщении на форуме?<br><br>Это будет в среднем <b>{{count}} писем</b> в день, а иногда больше."
|
||||
new_topic_duration:
|
||||
label: "Считать темы новыми, если"
|
||||
not_viewed: "ещё не просмотрены"
|
||||
@ -918,10 +908,6 @@ ru:
|
||||
github:
|
||||
title: "С помощью GitHub"
|
||||
message: "Вход с помощью учетной записи GitHub (убедитесь, что блокировщик всплывающих окон отключен)"
|
||||
apple_international: "Apple/International"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
@ -939,7 +925,6 @@ ru:
|
||||
saved_local_draft_tip: "Сохранено локально"
|
||||
similar_topics: "Ваша тема похожа на..."
|
||||
drafts_offline: "Черновики, сохраненные в офлайн"
|
||||
group_mentioned: "При использовании {{group}}, <a href='{{group_link}}'>{{count}} людям</a> будут отправлены уведомления."
|
||||
error:
|
||||
title_missing: "Требуется название темы"
|
||||
title_too_short: "Название темы должно быть не короче {{min}} символов"
|
||||
@ -1025,7 +1010,6 @@ ru:
|
||||
invited_to_topic: "<i title='приглашен в тему' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> принял(а) ваше приглашение</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> переместил(а) {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Вы награждены: {{description}}</p>"
|
||||
alt:
|
||||
mentioned: "Упомянуто"
|
||||
@ -1315,8 +1299,6 @@ ru:
|
||||
banner_note: "Пользователи могут отклонить объявление, закрыв его. Только одну тему можно сделать текущим объявлением."
|
||||
no_banner_exists: "Нет текущих объявлений."
|
||||
inviting: "Высылаю приглашение..."
|
||||
automatically_add_to_groups_optional: "Это приглашение также включает в себя доступ к следующим группам: (опционально, только для администратора)"
|
||||
automatically_add_to_groups_required: "Это приглашение также включает в себя доступ к следующим группам: (<b>Обязательно</b>, только для администратора)"
|
||||
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: '<b>g</b>, <b>h</b> Домой'
|
||||
latest: '<b>g</b>, <b>l</b> Последние'
|
||||
new: '<b>g</b>, <b>n</b> Новые'
|
||||
unread: '<b>g</b>, <b>u</b> Непрочитанные'
|
||||
categories: '<b>g</b>, <b>c</b> Разделы'
|
||||
top: '<b>g</b>, <b>t</b> Вверх'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Закладки'
|
||||
profile: '<b>g</b>, <b>p</b> Профиль'
|
||||
messages: '<b>g</b>, <b>m</b> Сообщения'
|
||||
navigation:
|
||||
title: 'Навигация'
|
||||
jump: '<b>#</b> Перейти к сообщение №'
|
||||
back: '<b>u</b> Назад'
|
||||
up_down: '<b>k</b>/<b>j</b> Переместить выделение ↑ ↓'
|
||||
open: '<b>o</b> или <b>Enter</b> Открыть выбранную тему'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Следующая/предыдущая секция'
|
||||
application:
|
||||
title: 'Приложение'
|
||||
create: '<b>c</b> Создать новую тему'
|
||||
notifications: '<b>n</b> Открыть уведомления'
|
||||
hamburger_menu: '<b>=</b> Открыть меню'
|
||||
user_profile_menu: '<b>p</b> Открыть меню моего профиля'
|
||||
show_incoming_updated_topics: '<b>.</b> Показать обновленные темы'
|
||||
search: '<b>/</b> Поиск'
|
||||
help: '<b>?</b> Открыть помощь по горячим клавишам'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Отложить новые сообщения'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Отложить темы'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Выйти'
|
||||
actions:
|
||||
title: 'Действия'
|
||||
bookmark_topic: '<b>f</b> Добавить в Избранное'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Закрепить/Открепить тему'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Поделиться темой'
|
||||
share_post: '<b>s</b> Поделиться сообщением'
|
||||
reply_as_new_topic: '<b>t</b> Ответить в новой связанной теме'
|
||||
reply_topic: '<b>shiftr</b>+<b>r</b> Ответить на тему'
|
||||
reply_post: '<b>r</b> Ответить на сообщение'
|
||||
quote_post: '<b>q</b> Цитировать сообщение'
|
||||
like: '<b>l</b> Лайкнуть сообщение'
|
||||
flag: '<b>!</b> Пожаловаться на сообщение'
|
||||
bookmark: '<b>b</b> Добавить сообщение в избранные'
|
||||
edit: '<b>e</b> Изменить сообщение'
|
||||
delete: '<b>d</b> Удалить сообщение'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Отключить уведомления в теме'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Включить уведомления в теме'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> Отслеживать тему'
|
||||
mark_watching: '<b>m</b>, <b>w</b> Наблюдать за темой'
|
||||
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: |
|
||||
<h3>Поиск через Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
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: "Игнорируется"
|
||||
|
||||
@ -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 <a href='{{group_link}}'>{{count}} ľudí</a>."
|
||||
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: "<i title='invited to topic' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='accepted your invitation' class='fa fa-user'></i><p><span>{{username}}</span> prijal Vaše pozvanie</p>"
|
||||
moved_post: "<i title='moved post' class='fa fa-sign-out'></i><p><span>{{username}}</span> presunul {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p>Získal '{{description}}'</p>"
|
||||
group_message_summary:
|
||||
one: "<i title='messages in group inbox' class='fa fa-group'></i><p> {{count}} správa vo vašej {{group_name}} schránke</p>"
|
||||
@ -1236,8 +1225,6 @@ sk:
|
||||
no_banner_exists: "Neexistuje žiadna banerová téma."
|
||||
banner_exists: "Banerová téma <strong class='badge badge-notification unread'>je</strong> 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: ( <b>Povinné</b>, 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: '<b>g</b>, <b>h</b> Domov'
|
||||
latest: '<b>g</b>, <b>l</b> Najnovšie'
|
||||
new: '<b>g</b>, <b>n</b> Nové'
|
||||
unread: '<b>g</b>, <b>u</b> Neprečítané'
|
||||
categories: '<b>g</b>, <b>c</b> Kategórie'
|
||||
top: '<b>g</b>, <b>t</b> Hore'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Záložky'
|
||||
profile: '<b>g</b>, <b>p</b> Profil'
|
||||
messages: '<b>g</b>, <b>m</b> Správy'
|
||||
navigation:
|
||||
title: 'Navigácia'
|
||||
jump: '<b>#</b> Choď na príspevok #'
|
||||
back: '<b>u</b> Späť'
|
||||
up_down: '<b>k</b>/<b>j</b> Presuň označené ↑ ↓'
|
||||
open: '<b>o</b> or <b>Enter</b>Otvoriť zvolenú tému'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Nasledujúca/predchádzajúca sekcia'
|
||||
application:
|
||||
title: 'Aplikácia'
|
||||
create: '<b>c</b> Vytvoriť novú tému'
|
||||
notifications: '<b>n</b> Otvor upozornenia'
|
||||
hamburger_menu: '<b>=</b> Otvoriť hamburger menu'
|
||||
user_profile_menu: '<b>p</b> Otvor užívateľské menu'
|
||||
show_incoming_updated_topics: '<b>.</b> Zobraz aktualizované témy'
|
||||
search: '<b>/</b> Hľadať'
|
||||
help: '<b>?</b> Pomoc s klávesovými skratkami'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> Zahodiť Nové/Príspevky'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Zahodiť témy'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Odhlásiť sa'
|
||||
actions:
|
||||
title: 'Akcie'
|
||||
bookmark_topic: '<b>f</b> Zmeniť tému záložky'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Pripnúť/Odopnúť tému'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Zdielať tému'
|
||||
share_post: '<b>s</b> Zdielať príspevok'
|
||||
reply_as_new_topic: '<b>t</b> Odpoveď ako súvisiaca téma'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Odpovedať na tému'
|
||||
reply_post: '<b>r</b> Odpovedať na príspevok'
|
||||
quote_post: '<b>q</b> Citovať príspevok'
|
||||
like: '<b>l</b> Označiť príspevok "Páči sa"'
|
||||
flag: '<b>!</b> Označiť príspevok '
|
||||
bookmark: '<b>b</b> Pridať príspevok do záložiek'
|
||||
edit: '<b>e</b> Editovat príspevok'
|
||||
delete: '<b>d</b> Zmazať príspevok'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Umlčať tému'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Obyčajná (preddefinovaná) téma'
|
||||
mark_tracking: '<b>m</b>, <b>w</b> Sledovať tému'
|
||||
mark_watching: '<b>m</b>, <b>w</b> 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: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Začíname
|
||||
community:
|
||||
name: Komunita
|
||||
trust_level:
|
||||
name: Stupeň dôvery
|
||||
other:
|
||||
name: Ostatné
|
||||
posting:
|
||||
name: Prispievam
|
||||
google_search: |
|
||||
<h3>Vyhľadávať pomocou Google</h3>
|
||||
<p>
|
||||
<form action='//google.com/search' id='google-search' onsubmit="document.getElementById('google-query').value = 'site:' + window.location.host + ' ' + document.getElementById('user-query').value; return true;">
|
||||
<input type="text" id='user-query' value="">
|
||||
<input type='hidden' id='google-query' name="q">
|
||||
<button class="btn btn-primary">Google</button>
|
||||
</form>
|
||||
</p>
|
||||
|
||||
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@ -283,7 +283,6 @@ te:
|
||||
invited_by: "ఆహ్వానిచినవారు"
|
||||
trust_level: "నమ్మకపు స్థాయి"
|
||||
notifications: "ప్రకటనలు"
|
||||
dismiss_notifications: "అన్నీ చదివినట్టు గుర్తించు"
|
||||
dismiss_notifications_tooltip: "అన్ని చదవని ప్రకటనలూ చదివినట్టు గుర్తించు"
|
||||
disable_jump_reply: "నేను జవాబిచ్చాక నా టపాకు వెళ్లవద్దు"
|
||||
external_links_in_new_tab: "అన్ని బాహ్య లంకెలనూ కొత్త ట్యాబులో తెరువు"
|
||||
@ -552,10 +551,6 @@ te:
|
||||
github:
|
||||
title: "గిట్ హబ్ తో"
|
||||
message: "గిట్ హబ్ ద్వారా లాగిన్ (పాపప్ లు అనుమతించుట మర్చిపోకండి)"
|
||||
apple_international: "యాపిల్ , అంతర్జాతీయ"
|
||||
google: "గూగుల్"
|
||||
twitter: "ట్విట్టరు"
|
||||
emoji_one: "ఇమెజి వన్"
|
||||
composer:
|
||||
add_warning: "ఇది ఒక అధికారిక హెచ్చరిక"
|
||||
posting_not_on_topic: "ఏ విషయానికి మీరు జవాబివ్వాలనుకుంటున్నారు? "
|
||||
@ -631,7 +626,6 @@ te:
|
||||
invited_to_private_message: "<i title='ప్రైవేటు సందేశం' class='fa fa-envelope-o'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='మీ ఆహ్వానాన్ని మన్నించారు' class='fa fa-user'></i><p><span>{{username}}</span> accepted your invitation</p>"
|
||||
moved_post: "<i title='టపా జరిపారు' class='fa fa-sign-out'></i><p><span>{{username}}</span> moved {{description}}</p>"
|
||||
linked: "<i title='టపాకు లంకె ఉంచారు' class='fa fa-arrow-left'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='బ్యాడ్జ్ ప్రసాదించారు' class='fa fa-certificate'></i><p>Earned '{{description}}'</p>"
|
||||
upload_selector:
|
||||
title: "ఒక బొమ్మ కలుపు"
|
||||
@ -800,8 +794,6 @@ te:
|
||||
help: 'ఈ విషయాన్ని ప్రైవేటుగా కేతనించు లేదా ప్రైవేటు ప్రకటన పంపు'
|
||||
success_message: 'ఈ విషయాన్ని మీరు కేతనించారు'
|
||||
inviting: "ఆహ్వానిస్తున్నామ్..."
|
||||
automatically_add_to_groups_optional: "ఈ ఆహ్వానం ఈ గుంపులకు అనుమతిని కూడా కలిగి ఉంది:(ఐచ్చికం, అధికారులు మాత్రమే)"
|
||||
automatically_add_to_groups_required: "ఈ ఆహ్వానం ఈ గుంపులకు అనుమతిని కూడా కలిగి ఉంది:(<b>తప్పనిసరి</b>, అధికారులు మాత్రమే)"
|
||||
invite_private:
|
||||
email_or_username: "ఆహ్వానితుని ఈమెయిల్ లేదా సభ్యనామం"
|
||||
email_or_username_placeholder: "ఈమెయిల్ చిరునామా లేదా సభ్యనామం"
|
||||
@ -1089,7 +1081,6 @@ te:
|
||||
action: "విషయాన్ని కేతనించు"
|
||||
topic_map:
|
||||
title: "విషయ సారం"
|
||||
links_shown: "అన్ని {{totalLinks}} లంకెలూ చూపు..."
|
||||
clicks:
|
||||
one: "ఒక నొక్కు"
|
||||
other: "%{count} నొక్కులు"
|
||||
@ -1827,70 +1818,3 @@ te:
|
||||
name: "పేరు"
|
||||
image: "బొమ్మ"
|
||||
delete_confirm: "మీరు నిజంగా %{పేరు}: ఎమోజీ ని తొలగించాలనుకుంటున్నారా ?"
|
||||
lightbox:
|
||||
download: "దిగుమతించు"
|
||||
search_help:
|
||||
title: 'సహాయం వెతుకు'
|
||||
keyboard_shortcuts_help:
|
||||
title: 'కీబోర్డు షార్ట్ కట్లు'
|
||||
jump_to:
|
||||
title: 'వెళ్లు'
|
||||
latest: '<b>g</b>, <b>l</b> తాజా'
|
||||
new: '<b>g</b>, <b>n</b> కొత్త'
|
||||
unread: '<b>g</b>, <b>u</b> చదవనవి'
|
||||
categories: '<b>g</b>, <b>c</b> వర్గాలు'
|
||||
top: '<b>g</b>, <b>t</b> పైన'
|
||||
navigation:
|
||||
title: 'నావిగేషను'
|
||||
jump: '<b>#</b> టపాకు వెళ్లు #'
|
||||
back: '<b>u</b> వెనుకకు'
|
||||
open: '<b>o</b> or <b>ప్రవేశం</b> ఎంచుకున్న విషయం తెరువు'
|
||||
next_prev: '<b>మార్పు</b>+<b>j</b>/<b>మార్పు</b>+<b>k</b> తర్వాతి/ముందరి విభాగం'
|
||||
application:
|
||||
title: 'అనువర్తనం'
|
||||
create: '<b>c</b> కొత్త టపా సృష్టించు'
|
||||
notifications: '<b>n</b> తెరచిన ప్రకటనలు'
|
||||
user_profile_menu: '<b>p</b> యూజర్ మెనూ తెరువు'
|
||||
show_incoming_updated_topics: '<b>.</b> నవీకరించిన విషయాలను చూపించండి'
|
||||
search: '<b>/</b> వెతుకు'
|
||||
help: '<b>?</b> కీ బోర్డ్ సహాయాన్ని తెరువు'
|
||||
dismiss_new_posts: '<b>x</b>, <b>r</b> తీసివేసిన కొత్త/టపాలు'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> తీసివేసిన విషయాలు'
|
||||
actions:
|
||||
title: 'చర్యలు'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> విషయం చేర్చు/విడదీయు'
|
||||
share_topic: '<b>shift</b>+<b>s</b> విషయం పంచు'
|
||||
share_post: '<b>s</b> టపా పంచు'
|
||||
reply_as_new_topic: '<b>t</b> లంకె విషయంగా సమాధానం'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> టపా కి సమాధానం'
|
||||
reply_post: '<b>r</b> టపా కి సమాధానం'
|
||||
like: '<b>l</b> టపా ని ఇష్టపడు'
|
||||
flag: '<b>!</b> టపా కేతనం'
|
||||
bookmark: '<b>b</b>టపా పేజీక'
|
||||
edit: '<b>e</b> టపా సవరణ'
|
||||
delete: '<b>d</b> టపా తొలగించు'
|
||||
mark_muted: '<b>m</b>, <b>m</b> విషయాన్ని ఆపివేయండి'
|
||||
mark_regular: '<b>m</b>, <b>r</b> నిత్య (అప్రమేయ) విషయం'
|
||||
mark_tracking: '<b>m</b>, <b>t</b> విషయం వెతుకు'
|
||||
mark_watching: '<b>m</b>, <b>w</b> చూసిన విషయం'
|
||||
badges:
|
||||
title: బ్యాడ్జీలు
|
||||
more_badges:
|
||||
one: "+%{count} కంటే"
|
||||
other: "+%{count} ఇంకా"
|
||||
granted:
|
||||
one: "1 మంజూరు"
|
||||
other: "%{లెక్క} మంజూరు"
|
||||
select_badge_for_title: మీ శీర్షికగా ఉపయోగించడానికి ఒక చిహ్నాన్ని ఎంపిక చేయండి.
|
||||
none: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: మొదలుపెట్టడం
|
||||
community:
|
||||
name: కమ్యునిటీ
|
||||
trust_level:
|
||||
name: నమ్మకపు స్థాయి
|
||||
other:
|
||||
name: ఇతర
|
||||
posting:
|
||||
name: రాస్తున్నారు
|
||||
|
||||
@ -98,7 +98,9 @@ tr_TR:
|
||||
private_topic: "bu konuyu %{when} tarihinde özel yaptı"
|
||||
split_topic: "bu konuyu ayır %{when}"
|
||||
invited_user: "%{when} %{who} davet edildi"
|
||||
invited_group: "%{who} %{when} devet edildi"
|
||||
removed_user: "%{when} %{who} silindi"
|
||||
removed_group: "%{who} %{when} kaldırıldı"
|
||||
autoclosed:
|
||||
enabled: '%{when} kapatıldı'
|
||||
disabled: '%{when} açıldı'
|
||||
@ -119,6 +121,7 @@ tr_TR:
|
||||
disabled: '%{when} listelenmedi'
|
||||
topic_admin_menu: "konuyla alakalı yönetici işlemleri"
|
||||
emails_are_disabled: "Tüm giden e-postalar yönetici tarafından evrensel olarak devre dışı bırakıldı. Herhangi bir e-posta bildirimi gönderilmeyecek."
|
||||
bootstrap_mode_enabled: "Yeni sitenizi kolayca çalıştırmak için bootstrap modundasınız. Tüm yeni kullanıcılar 1. seviyeden başlar ve email uyarıcıları açıksa günlük mail alırlar. Bu özellik kullanıcı sayısı %{min_users} rakamına ulaştığında otomatik kapatılacaktır."
|
||||
bootstrap_mode_disabled: "Bootstrap modu önümüzdeki 24 saat içinde devre dışı kalacaktır."
|
||||
s3:
|
||||
regions:
|
||||
@ -228,8 +231,8 @@ tr_TR:
|
||||
undo: "Geri Al"
|
||||
revert: "Eski Haline Getir"
|
||||
failed: "Başarısız oldu"
|
||||
switch_to_anon: "Anonim Ol"
|
||||
switch_from_anon: "Anonim Modundan Çık"
|
||||
switch_to_anon: "Ziyaretçi moduna geç"
|
||||
switch_from_anon: "Ziyaretçi modundan çıkış"
|
||||
banner:
|
||||
close: "Bu manşeti yoksay."
|
||||
edit: "Bu manşeti düzenle >>"
|
||||
@ -415,7 +418,7 @@ tr_TR:
|
||||
disable: "Bildirimleri Devre Dışı Bırakın"
|
||||
enable: "Bildirimleri Etkinleştirin"
|
||||
each_browser_note: "Not: Bu ayarı kullandığınız her tarayıcıda değiştirmelisiniz."
|
||||
dismiss_notifications: "Hepsini okunmuş olarak işaretle"
|
||||
dismiss_notifications: "Tümünü kaldır"
|
||||
dismiss_notifications_tooltip: "Tüm okunmamış bildirileri okunmuş olarak işaretle"
|
||||
disable_jump_reply: "Cevapladıktan sonra gönderime atlama"
|
||||
dynamic_favicon: "Tarayıcı simgesinde yeni / güncellenen konu sayısını göster"
|
||||
@ -439,12 +442,10 @@ tr_TR:
|
||||
Sessize alınmış başlıklar ve kategoriler bu epostalarda yer almaz.
|
||||
daily: "Günlük güncellemeleri gönder"
|
||||
individual: "Her yazı için bir eposta gönder"
|
||||
many_per_day: "Her yeni yazı için bir eposta gönder (yaklaşık günde {{dailyEmailEstimate}})."
|
||||
few_per_day: "Her yeni yazı hakkında bir eposta gönder (günde 2 den az)"
|
||||
many_per_day: " ({{dailyEmailEstimate}} konusu hakkında) tüm yeni gönderilerde bana mail gönder"
|
||||
tag_settings: "Etiketler"
|
||||
watched_categories: "Gözlendi"
|
||||
watched_categories_instructions: "Bu kategorilerdeki tüm yeni konuları otomatik olarak gözleyeceksiniz. Tüm yeni gönderi ve konular size bildirilecek. Ayrıca, okunmamış ve yeni gönderilerin sayısı ilgili konunun yanında belirecek."
|
||||
tracked_categories: "Takip edildi"
|
||||
tracked_categories_instructions: "Bu kategorilerdeki tüm yeni konuları otomatik olarak takip edeceksiniz. Okunmamış ve yeni gönderilerin sayısı ilgili konunun yanında belirecek."
|
||||
muted_categories: "Susturuldu"
|
||||
muted_categories_instructions: "Bu kategorilerdeki yeni konular hakkında herhangi bir bildiri almayacaksınız ve en son gönderilerde belirmeyecekler. "
|
||||
delete_account: "Hesabımı Sil"
|
||||
@ -457,6 +458,7 @@ tr_TR:
|
||||
muted_users: "Susturuldu"
|
||||
muted_users_instructions: "Bu kullanıcılardan gelen tüm bildirileri kapa."
|
||||
muted_topics_link: "Sessize alınmış konuları göster"
|
||||
watched_topics_link: "Takip edilen konuları göster"
|
||||
automatically_unpin_topics: "En alta ulaşınca otomatik olarak başlıkların tutturulmasını kaldır."
|
||||
staff_counters:
|
||||
flags_given: "yararlı bayraklar"
|
||||
@ -616,7 +618,9 @@ tr_TR:
|
||||
rescind: "Kaldır"
|
||||
rescinded: "Davet kaldırıldı"
|
||||
reinvite: "Davetiyeyi Tekrar Yolla"
|
||||
reinvite_all: "Tüm davetleri tekrar gönder"
|
||||
reinvited: "Davetiye tekrar yollandı"
|
||||
reinvited_all: "Tüm davetler tekrar gönderildi!"
|
||||
time_read: "Okunma Zamanı"
|
||||
days_visited: "Ziyaret Edilen Günler"
|
||||
account_age_days: "Gün içinde Hesap yaş"
|
||||
@ -661,7 +665,9 @@ tr_TR:
|
||||
no_badges: "Henüz rozet bulunmuyor."
|
||||
more_badges: "Diğer Rozetleri"
|
||||
top_links: "Önemli Bağlantılar"
|
||||
no_links: "Henüz bir bağlantı bulunmuyor."
|
||||
most_liked_users: "Popüler Beğenmeler"
|
||||
no_likes: "Henüz bir beğeni bulunmuyor."
|
||||
associated_accounts: "Girişler"
|
||||
ip_address:
|
||||
title: "Son IP Adresi"
|
||||
@ -733,7 +739,7 @@ tr_TR:
|
||||
hide_session: "Yarın bana hatırlat"
|
||||
hide_forever: "hayır teşekkürler"
|
||||
hidden_for_session: "Tamamdır, yarın tekrar soracağım. İstediğiniz zaman 'Giriş' yaparak da hesap oluşturabilirsiniz."
|
||||
intro: "Nabersin! heart_eyes: Görüneşe göre tartışmaların keyfini çıkaryorsun, fakat henüz bir hesap almak için kayıt olmamışsın."
|
||||
intro: "Nabersin! :heart_eyes: Görüneşe göre tartışmaların keyfini çıkaryorsun, fakat henüz bir hesap almak için kayıt olmamışsın."
|
||||
value_prop: "Bir hesap oluşturduğunuzda, tam olarak neyi okuyor olduğunuzu hatırlarız, böylece her zaman okumayı bırakmış olduğunuz yere geri gelirsiniz. Ayrıca burada, yeni gönderiler yağıldığında email yoluyla bildirim alırsınız. Ve sevgiyi paylaşmak için gönderileri beğenebilirsiniz. :heartbeat:"
|
||||
summary:
|
||||
enabled_description: "Bu konunun özetini görüntülemektesiniz: topluluğun en çok ilgisini çeken gönderiler"
|
||||
@ -750,6 +756,7 @@ tr_TR:
|
||||
title: "Mesaj"
|
||||
invite: "Diğerlerini Davet Et..."
|
||||
remove_allowed_user: "Bu mesajlaşmadan {{name}} isimli kullanıcıyı çıkarmak istediğinize emin misiniz?"
|
||||
remove_allowed_group: "{{name}} bunu gerçekten mesajdan kaldırmak istiyor musunuz?"
|
||||
email: 'E-posta'
|
||||
username: 'Kullanıcı Adı'
|
||||
last_seen: 'Son Görülme'
|
||||
@ -816,10 +823,6 @@ tr_TR:
|
||||
github:
|
||||
title: "GitHub ile"
|
||||
message: "GitHub ile kimlik doğrulaması yapılıyor (pop-up engelleyicilerin etkinleştirilmediğinden emin olun)"
|
||||
apple_international: "Apple/Uluslararası"
|
||||
google: "Google"
|
||||
twitter: "Twitter"
|
||||
emoji_one: "Emoji One"
|
||||
shortcut_modifier_key:
|
||||
shift: 'Shift'
|
||||
ctrl: 'Ctrl'
|
||||
@ -879,6 +882,7 @@ tr_TR:
|
||||
quote_text: "Blok-alıntı"
|
||||
code_title: "Önceden biçimlendirilmiş yazı"
|
||||
code_text: "paragraf girintisi 4 boşluktan oluşan, önceden biçimlendirilen yazı"
|
||||
paste_code_text: "kodu buraya gir veya yapıştır"
|
||||
upload_title: "Yükle"
|
||||
upload_description: "yükleme açıklamasını buraya girin"
|
||||
olist_title: "Numaralandırılmış Liste"
|
||||
@ -905,6 +909,7 @@ tr_TR:
|
||||
notifications:
|
||||
title: "@isim bahsedilişleri, gönderileriniz ve konularınıza verilen cevaplar, mesajlarla vb. ilgili bildiriler"
|
||||
none: "Şu an için bildirimler yüklenemiyor."
|
||||
empty: "Bildirim Yok"
|
||||
more: "daha eski bildirimleri görüntüle"
|
||||
total_flagged: "tüm bayraklanan gönderiler"
|
||||
mentioned: "<i title='bahsetti' class='fa fa-at'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
@ -922,7 +927,9 @@ tr_TR:
|
||||
invited_to_topic: "<i title='konuya davet edildi' class='fa fa-hand-o-right'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
invitee_accepted: "<i title='davetiyeni kabul etti' class='fa fa-user'></i><p><span>{{username}}</span> davetini kabul etti!</p>"
|
||||
moved_post: "<i title='gönderiyi taşıdı' class='fa fa-sign-out'></i><p><span>{{username}}</span> taşıdı {{description}}</p>"
|
||||
linked: "<i title='linked post' class='fa fa-link'></i><p><span>{{username}}</span> {{description}}</p>"
|
||||
granted_badge: "<i title='badge granted' class='fa fa-certificate'></i><p><strong>{{description}}</strong> rozeti kazandınız!</p>"
|
||||
watching_first_post: "<i title='new topic' class='fa fa-dot-circle-o'></i><p><span>Yeni Konu</span> {{description}}</p>"
|
||||
group_message_summary:
|
||||
other: "<i title='grup gelen kutusundaki mesajlar' class='fa fa-group'></i><p> {{group_name}} isimli grubunuzun gelen kutusunda {{count}} adet mesaj var</p>"
|
||||
alt:
|
||||
@ -980,6 +987,7 @@ tr_TR:
|
||||
post_format: "{{username}} tarafından #{{post_number}}"
|
||||
context:
|
||||
user: "@{{username}} kullancısına ait gönderilerde ara"
|
||||
category: "#{{category}} kategorisini ara"
|
||||
topic: "Bu konuda ara"
|
||||
private_messages: "Mesajlarda ara"
|
||||
hamburger_menu: "bir diğer konu ya da kategoriye git"
|
||||
@ -1019,6 +1027,9 @@ tr_TR:
|
||||
category: "{{category}} konusu yok."
|
||||
top: "Popüler bir konu yok."
|
||||
search: "Arama sonuçları yok."
|
||||
educate:
|
||||
new: '<p>Yeni konunuz burada görünecektir.</p><p>Varsayalına olarak son 2 gün içerisinde oluşturulmuş konular yeni olarak nitelendirilir ve <span class="badge new-topic badge-notification" style="vertical-align:middle;line-height:inherit;">yeni</span> ibaresiyle işeretli olarak gösterilir.</p><p> <a href="%{userPrefsUrl}">ayarlar</a> sayfanızı ziyaret ederek bunu değiştirebilirsiniz.</p>'
|
||||
unread: '<p>Okunmamış konularınız burda görünecektir.</p><p>By default, topics are considered unread and will show unread counts <span class="badge new-posts badge-notification">1</span> if you:</p><ul><li>Created the topic</li><li>Replied to the topic</li><li>Read the topic for more than 4 minutes</li></ul><p>Or if you have explicitly set the topic to Tracked or Watched via the notification control at the bottom of each topic.</p><p>Visit your <a href="%{userPrefsUrl}">preferences</a> to change this.</p>'
|
||||
bottom:
|
||||
latest: "Daha fazla son konu yok."
|
||||
hot: "Daha fazla sıcak bir konu yok."
|
||||
@ -1089,6 +1100,9 @@ tr_TR:
|
||||
auto_close_save: "Kaydet"
|
||||
auto_close_remove: "Bu Konuyu Otomatik Olarak Kapatma"
|
||||
auto_close_immediate: "Son konudaki mesaj %{hours} saat olmuş, bu yüzden konu hemen kapanacak"
|
||||
timeline:
|
||||
back: "Geri"
|
||||
replies: "%{current} / %{total} Cevap"
|
||||
progress:
|
||||
title: konu gidişatı
|
||||
go_top: "en üst"
|
||||
@ -1441,6 +1455,7 @@ tr_TR:
|
||||
general: 'Genel'
|
||||
settings: 'Ayarlar'
|
||||
topic_template: "Konu Şablonu"
|
||||
tags: "Etiketler"
|
||||
delete: 'Kategoriyi Sil'
|
||||
create: 'Yeni Kategori'
|
||||
create_long: 'Yeni bir kategori oluştur'
|
||||
@ -1487,10 +1502,8 @@ tr_TR:
|
||||
notifications:
|
||||
watching:
|
||||
title: "Gözleniyor"
|
||||
description: "Bu kategorilerdeki tüm yeni konuları otomatik olarak gözleyeceksiniz. Tüm yeni gönderi ve konular size bildirilecek. Ayrıca, okunmamış ve yeni gönderilerin sayısı ilgili konunun yanında belirecek."
|
||||
tracking:
|
||||
title: "Takip Ediliyor"
|
||||
description: "Bu kategorilerdeki tüm yeni konuları otomatik olarak gözleyeceksiniz. Biri @isim şeklinde sizden bahsederse ya da gönderinize cevap verirse bildirim alacaksınız. Ayrıca, okunmamış ve yeni cevapların sayısı ilgili konunun yanında belirecek."
|
||||
regular:
|
||||
title: "Normal"
|
||||
description: "Birisi @isim şeklinde sizden bahsederse ya da gönderinize cevap verirse bildirim alacaksınız."
|
||||
@ -1529,9 +1542,11 @@ tr_TR:
|
||||
title: "Konu Özeti"
|
||||
participants_title: "Sıkça Yazanlar"
|
||||
links_title: "Popüler bağlantılar"
|
||||
links_shown: "tüm {{totalLinks}} bağlantıları göster..."
|
||||
clicks:
|
||||
other: "%{count} tıklama"
|
||||
post_links:
|
||||
title:
|
||||
other: "%{count} daha"
|
||||
topic_statuses:
|
||||
warning:
|
||||
help: "Bu resmi bir uyarıdır."
|
||||
@ -1559,10 +1574,10 @@ tr_TR:
|
||||
posts_long: "bu konuda {{number}} gönderi var"
|
||||
posts_likes_MF: |
|
||||
Bu konuda {count, plural, one {1} other {#}} {ratio, select,
|
||||
low {beğeni/gönderi oranı yüksek cevap}
|
||||
med {beğeni/gönderi oranı çok yüksek cevap}
|
||||
high {beğeni/gönderi oranı aşırı yüksek cevap}
|
||||
other {}} var
|
||||
low {beğeni/gönderi oranı yüksek cevap}
|
||||
med {beğeni/gönderi oranı çok yüksek cevap}
|
||||
high {beğeni/gönderi oranı aşırı yüksek cevap}
|
||||
other {}} var
|
||||
original_post: "Orijinal Gönderi"
|
||||
views: "Gösterim"
|
||||
views_lowercase:
|
||||
@ -1658,6 +1673,151 @@ tr_TR:
|
||||
full: "Oluştur / Cevapla / Bak"
|
||||
create_post: "Cevapla / Bak"
|
||||
readonly: "Bak"
|
||||
lightbox:
|
||||
download: "indir"
|
||||
search_help:
|
||||
title: 'Arama yardım'
|
||||
keyboard_shortcuts_help:
|
||||
title: 'Klavye Kısayolları'
|
||||
jump_to:
|
||||
title: 'Şuraya git'
|
||||
home: '<b>g</b>, <b>h</b> Anasayfa'
|
||||
latest: '<b>g</b>, <b>l</b> Enson'
|
||||
new: '<b>g</b>, <b>n</b> Yeni'
|
||||
unread: '<b>g</b>, <b>u</b> Okunmamış'
|
||||
categories: '<b>g</b>, <b>c</b> Kategoriler'
|
||||
top: '<b>g</b>, <b>t</b> Enüst'
|
||||
bookmarks: '<b>g</b>, <b>b</b> Yer imleri'
|
||||
profile: '<b>g</b>, <b>p</b> Profil'
|
||||
messages: '<b>g</b>, <b>m</b> Mesajlar'
|
||||
navigation:
|
||||
title: 'Navigasyon'
|
||||
jump: '<b>#</b> Gönderiye git #'
|
||||
back: '<b>u</b> Geri'
|
||||
up_down: '<b>k</b>/<b>j</b> Seçileni taşı ↑ ↓'
|
||||
open: '<b>o</b> or <b>Enter</b> Seçili konuyu aç'
|
||||
next_prev: '<b>shift</b>+<b>j</b>/<b>shift</b>+<b>k</b> Önceki/Sonraki bölüm'
|
||||
application:
|
||||
title: 'Uygulama'
|
||||
create: '<b>c</b> Yeni konu oluştur'
|
||||
notifications: '<b>n</b> Bildirimleri aç'
|
||||
hamburger_menu: '<b>=</b> Hamburger menüyü aç'
|
||||
user_profile_menu: '<b>p</b> Kullanıcı menüsünü aç'
|
||||
show_incoming_updated_topics: '<b>.</b> Güncellenmiş konuları göster'
|
||||
search: '<b>/</b> Ara'
|
||||
help: '<b>?</b> Klavye yardım sayfasını aç'
|
||||
dismiss_topics: '<b>x</b>, <b>t</b> Konuları anımsatma'
|
||||
log_out: '<b>shift</b>+<b>z</b> <b>shift</b>+<b>z</b> Çıkış'
|
||||
actions:
|
||||
title: 'Eylemler'
|
||||
bookmark_topic: '<b>f</b> Konu yer imini değiştir'
|
||||
pin_unpin_topic: '<b>shift</b>+<b>p</b> Konuyu sabitle/bırak'
|
||||
share_topic: '<b>shift</b>+<b>s</b> Konuyu paylaş'
|
||||
share_post: '<b>s</b> Gönderiyi paylaş'
|
||||
reply_as_new_topic: '<b>t</b> Bağlantılı konu olarak cevapla'
|
||||
reply_topic: '<b>shift</b>+<b>r</b> Konuyu cevapla'
|
||||
reply_post: '<b>r</b> Gönderiyi cevapla'
|
||||
quote_post: '<b>q</b> Gönderiden alıntı yap'
|
||||
like: '<b>l</b> Gönderiyi beğen'
|
||||
flag: '<b>!</b> Gönderiyi şikayet et'
|
||||
bookmark: '<b>b</b> Gönderiyi işaretle'
|
||||
edit: '<b>e</b> Gönderiyi düzenle'
|
||||
delete: '<b>d</b> Gönderiyi sil'
|
||||
mark_muted: '<b>m</b>, <b>m</b> Konuyu sustur'
|
||||
mark_regular: '<b>m</b>, <b>r</b> Varsayılan konu'
|
||||
mark_watching: '<b>m</b>, <b>w</b> Konuyu Takip Et'
|
||||
badges:
|
||||
title: Rozetler
|
||||
allow_title: "başlık girin"
|
||||
multiple_grant: "birden fazla ödüllendirilmiş"
|
||||
badge_count:
|
||||
other: "%{count} Rozet"
|
||||
more_badges:
|
||||
other: "+%{count} Daha Fazla"
|
||||
granted:
|
||||
other: "%{count} İzin verildi"
|
||||
select_badge_for_title: Başlık olarak kullanılacak bir rozet seçin
|
||||
none: "<none>"
|
||||
badge_grouping:
|
||||
getting_started:
|
||||
name: Başlangıç
|
||||
community:
|
||||
name: Topluluk
|
||||
trust_level:
|
||||
name: Güven Seviyesi
|
||||
other:
|
||||
name: Diğer
|
||||
posting:
|
||||
name: Gönderiliyor
|
||||
tagging:
|
||||
all_tags: "Tüm etiketler"
|
||||
selector_all_tags: "tüm etiketler"
|
||||
changed: "değişen etiketler:"
|
||||
tags: "Etiketler"
|
||||
choose_for_topic: "bu konu için etiket seçiniz"
|
||||
delete_tag: "Etiketi sil"
|
||||
delete_confirm: "Bu etiketi silmek istiyor musunuz?"
|
||||
rename_tag: "Etiketi Yeniden Adlandır"
|
||||
rename_instructions: "Bu etiket için yeni bir ad seçin:"
|
||||
sort_by: "Sırala:"
|
||||
sort_by_count: "say"
|
||||
sort_by_name: "ad"
|
||||
manage_groups: "Etiket Grubunu Yönet"
|
||||
manage_groups_description: "Etiket gurubunu yönetmek için grup tanımla"
|
||||
filters:
|
||||
without_category: "%{filter} %{tag} konular"
|
||||
with_category: "%{category} içerisinkeri konular%{filter} %{tag}"
|
||||
notifications:
|
||||
watching:
|
||||
title: "İzleniyor"
|
||||
watching_first_post:
|
||||
title: "İlk gönderi izlemeniz"
|
||||
description: "Bu etikette bulunan tüm konuların sadece ilk gönderilerinde bildirim alacaksınız."
|
||||
tracking:
|
||||
title: "İzleme"
|
||||
regular:
|
||||
title: "Düzenli"
|
||||
description: "Eğer bir kişi adınızın tagini kullanırsa (@isminiz gibi) veya oluşturduğunuz konuya cevap yazarsa bildirim alacaksınız."
|
||||
muted:
|
||||
title: "Susturuldu"
|
||||
groups:
|
||||
title: "Etiket Grupları"
|
||||
about: "Konuları kolayca yönetmek için onlara etiket ekleyiniz."
|
||||
new: "Yeni grup"
|
||||
tags_label: "Bu gruptaki etiketler:"
|
||||
parent_tag_label: "Üst etiket:"
|
||||
parent_tag_placeholder: "İsteğe Bağlı"
|
||||
one_per_topic_label: "Bu etiket grubundan her konu için bir etiket ile sınırla"
|
||||
new_name: "Yeni Etiket Grubu"
|
||||
save: "Kaydet"
|
||||
delete: "Sil"
|
||||
confirm_delete: "Bu etiket grubunu silmek istedinizden emin misiniz?"
|
||||
topics:
|
||||
none:
|
||||
unread: "Okunmamış konunuz bulunmuyor."
|
||||
new: "Yeni konunuz bulunmuyor"
|
||||
read: "Henüz bir konu okumadınız."
|
||||
posted: "Henüz bir konu oluşturmadınız."
|
||||
latest: "Yeni eklenen konu bulunmuyor."
|
||||
hot: "Hareketli konu bulunmuyor."
|
||||
bookmarks: "Henüz yer imi eklenmiş bir konunuz bulunmuyor."
|
||||
top: "Üst sırada bir konu bulunmuyor."
|
||||
search: "Arama sonucu hiçbirşey bulunamadı."
|
||||
bottom:
|
||||
latest: "Daha fazla yeni eklenmiş konu bulunmuyor."
|
||||
hot: "Daha fazla hareketli konu bulunmuyor."
|
||||
posted: "Daha fazla oluşturulmuş konu bulunmuyor."
|
||||
read: "Okunacak daha fazla konu bulunmuyor."
|
||||
new: "Daha fazla yeni konu bulunmuyor."
|
||||
unread: "Daha fazla okunmamış konu bulunmuyor."
|
||||
top: "Daha falza üst sıralarda konu bulunmuyor."
|
||||
bookmarks: "Daha fazla imlenmiş konu bulunmuyor."
|
||||
search: "Daha fazla arama sonucu bulunmuyor."
|
||||
invite:
|
||||
custom_message_link: "kişiselleştirilmiş mesak"
|
||||
custom_message_placeholder: "Kişiselleştirilmiş mesajınızı düzenleyin"
|
||||
custom_message_template_forum: "Hey, bu foruma üye olsan iyi olur!"
|
||||
custom_message_template_topic: "Hey, bu konu senin için eğleceli olabilir!"
|
||||
admin_js:
|
||||
type_to_filter: "filtre girin..."
|
||||
admin:
|
||||
@ -1705,6 +1865,7 @@ tr_TR:
|
||||
30_days_ago: "30 Gün Önce"
|
||||
all: "Hepsi"
|
||||
view_table: "tablo"
|
||||
view_graph: "grafik"
|
||||
refresh_report: "Raporu Yenile"
|
||||
start_date: "Başlangıç tarihi"
|
||||
end_date: "Bitiş Tarihi"
|
||||
@ -1834,6 +1995,14 @@ tr_TR:
|
||||
backups: "Yedekler"
|
||||
logs: "Kayıtlar"
|
||||
none: "Yedek bulunmuyor."
|
||||
read_only:
|
||||
enable:
|
||||
title: "Salt okuma modunu etkinleştir"
|
||||
label: "Salt okumayı etkinleştir"
|
||||
confirm: "Salt okuma modunu aktifleştirmek istediğinizden emin misiniz?"
|
||||
disable:
|
||||
title: "Salt okuma modunu engelle"
|
||||
label: "Salt okumayı engelle"
|
||||
logs:
|
||||
none: "Henüz kayıt bulunmuyor..."
|
||||
columns:
|
||||
@ -2093,6 +2262,9 @@ tr_TR:
|
||||
grant_moderation: "moderasyon yetkisi ver"
|
||||
revoke_moderation: "moderasyon yetkisini kaldır"
|
||||
backup_operation: "yedek operasyonu"
|
||||
deleted_tag: "silinmiş etiket"
|
||||
renamed_tag: "yeniden adlandırılmış etiket"
|
||||
revoke_email: "e-posta kaldır"
|
||||
screened_emails:
|
||||
title: "Taranmış E-postalar"
|
||||
description: "Biri yeni bir hesap oluşturmaya çalıştığında, aşağıdaki e-posta adresleri kontrol edilecek ve kayıt önlenecek veya başka bir aksiyon alınacak."
|
||||
@ -2253,6 +2425,8 @@ tr_TR:
|
||||
block_failed: 'Kullanıcı engellenirken bir sorun yaşandı.'
|
||||
block_confirm: 'Bu kullanıcıyı bloklamak istediğinize emin misiniz? Bunu yaparsanız yeni başlık ya da gönderi oluşturamayacak.'
|
||||
block_accept: 'Evet, bu kullanıcıyı blokla'
|
||||
reset_bounce_score:
|
||||
label: "Yenile"
|
||||
deactivate_explanation: "Deaktive edilmiş bir kullanıcı e-postasını tekrar doğrulamalı."
|
||||
suspended_explanation: "Uzaklaştırılmış kullanıcılar sistemde oturum açamaz."
|
||||
block_explanation: "Engellenmiş bir kullanıcı gönderi oluşturamaz veya konu başlatamaz."
|
||||
@ -2322,6 +2496,10 @@ tr_TR:
|
||||
title: "Herkese açık profilde göster?"
|
||||
enabled: "profilde gösteriliyor"
|
||||
disabled: "profilde gösterilmiyor"
|
||||
show_on_user_card:
|
||||
title: "Kullanıcı profilinde gösterilsin mi?"
|
||||
enabled: "Kullanıcı profilinde göster"
|
||||
disabled: "Kullanıcı profilinde gösterme"
|
||||
field_types:
|
||||
text: 'Yazı Alanı'
|
||||
confirm: 'Onay'
|
||||
@ -2367,6 +2545,7 @@ tr_TR:
|
||||
login: "Oturum Açma"
|
||||
plugins: "Eklentiler"
|
||||
user_preferences: "Kullanıcı Tercihleri"
|
||||
tags: "Etiketler"
|
||||
badges:
|
||||
title: Rozetler
|
||||
new_badge: Yeni Rozet
|
||||
@ -2415,6 +2594,7 @@ tr_TR:
|
||||
post_revision: "Bir kullanıcı bir gönderiyi düzenlediğinde veya yeni bir gönderi oluşturduğunda"
|
||||
trust_level_change: "Bir kullanıcı güven seviyesini değiştirdiğinde"
|
||||
user_change: "Bir kullanıcı düzenlendiğinde veya oluşturduğunda"
|
||||
post_processed: "Gönderi işlendikten sonra"
|
||||
preview:
|
||||
link_text: "Verilen rozetleri önizle"
|
||||
plan_text: "Sorgu planıyla önizle"
|
||||
@ -2460,6 +2640,7 @@ tr_TR:
|
||||
embed_truncate: "Gömülü gönderileri buda"
|
||||
embed_whitelist_selector: "Gömülüler içinde izin verilen elementler için CSS seçici"
|
||||
embed_blacklist_selector: "Gömülülerden kaldırılan elementler için CSS seçici"
|
||||
embed_classname_whitelist: "CSS Sınıf isimlerine izin verildi"
|
||||
feed_polling_enabled: "Konuları RSS/ATOM aracılığıyla içe aktar"
|
||||
feed_polling_url: "İstila etmek için RSS/ATOM beslemesi URL'i"
|
||||
save: "Gömme Ayarlarını Kaydet"
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user