Merge remote-tracking branch 'remotes/origin/develop' into feature/sse-pivot-settings

This commit is contained in:
Sergey Konovalov 2019-08-26 14:03:06 +03:00
commit 49a5d84985
No known key found for this signature in database
GPG key ID: 9BC70BEFF12CC5AE
186 changed files with 3061 additions and 1600 deletions

View file

@ -65,6 +65,7 @@
saveAsUrl: 'folder for saving files' saveAsUrl: 'folder for saving files'
licenseUrl: <url for license>, licenseUrl: <url for license>,
customerId: <customer id>, customerId: <customer id>,
region: <regional settings> // can be 'en-us' or lang code
user: { user: {
id: 'user id', id: 'user id',

View file

@ -414,10 +414,11 @@ define([
} }
} }
me.fieldPicker.store.reset([]); // remove all var indexRec = store.indexOf(record);
if (indexRec < 0)
return;
var indexRec = store.indexOf(record), var countRec = store.length,
countRec = store.length,
maxViewCount = Math.floor(Math.max(fieldPickerEl.width(), me.minWidth) / (me.itemWidth + (me.itemMarginLeft || 0) + (me.itemMarginRight || 0) + (me.itemPaddingLeft || 0) + (me.itemPaddingRight || 0) + maxViewCount = Math.floor(Math.max(fieldPickerEl.width(), me.minWidth) / (me.itemWidth + (me.itemMarginLeft || 0) + (me.itemMarginRight || 0) + (me.itemPaddingLeft || 0) + (me.itemPaddingRight || 0) +
(me.itemBorderLeft || 0) + (me.itemBorderRight || 0))), (me.itemBorderLeft || 0) + (me.itemBorderRight || 0))),
newStyles = []; newStyles = [];
@ -425,9 +426,6 @@ define([
if (fieldPickerEl.height() / me.itemHeight > 2) if (fieldPickerEl.height() / me.itemHeight > 2)
maxViewCount *= Math.floor(fieldPickerEl.height() / me.itemHeight); maxViewCount *= Math.floor(fieldPickerEl.height() / me.itemHeight);
if (indexRec < 0)
return;
indexRec = Math.floor(indexRec / maxViewCount) * maxViewCount; indexRec = Math.floor(indexRec / maxViewCount) * maxViewCount;
if (countRec - indexRec < maxViewCount) if (countRec - indexRec < maxViewCount)
indexRec = Math.max(countRec - maxViewCount, 0); indexRec = Math.max(countRec - maxViewCount, 0);
@ -435,7 +433,7 @@ define([
newStyles.push(store.at(index)); newStyles.push(store.at(index));
} }
me.fieldPicker.store.add(newStyles); me.fieldPicker.store.reset(newStyles);
} }
if (forceSelect) { if (forceSelect) {

View file

@ -409,6 +409,10 @@ define([
}, },
onAfterKeydownMenu: function(e) { onAfterKeydownMenu: function(e) {
this.trigger('keydown:before', this, e);
if (e.isDefaultPrevented())
return;
if (e.keyCode == Common.UI.Keys.RETURN) { if (e.keyCode == Common.UI.Keys.RETURN) {
var li = $(e.target).closest('li'); var li = $(e.target).closest('li');
if (li.length<=0) li = $(e.target).parent().find('li .dataview'); if (li.length<=0) li = $(e.target).parent().find('li .dataview');

View file

@ -286,6 +286,7 @@ define([
if ( $tp.length ) { if ( $tp.length ) {
$tp.addClass('active'); $tp.addClass('active');
} }
this.fireEvent('tab:active', [tab]);
} }
}, },

View file

@ -670,13 +670,13 @@ define([
} }
}); });
} else if (config.canViewReview) { } else if (config.canViewReview) {
config.canViewReview = me.api.asc_HaveRevisionsChanges(true); // check revisions from all users config.canViewReview = (config.isEdit || me.api.asc_HaveRevisionsChanges(true)); // check revisions from all users
if (config.canViewReview) { if (config.canViewReview) {
var val = Common.localStorage.getItem(me.view.appPrefix + "review-mode"); var val = Common.localStorage.getItem(me.view.appPrefix + "review-mode");
if (val===null) if (val===null)
val = me.appConfig.customization && /^(original|final|markup)$/i.test(me.appConfig.customization.reviewDisplay) ? me.appConfig.customization.reviewDisplay.toLocaleLowerCase() : 'original'; val = me.appConfig.customization && /^(original|final|markup)$/i.test(me.appConfig.customization.reviewDisplay) ? me.appConfig.customization.reviewDisplay.toLocaleLowerCase() : 'original';
me.turnDisplayMode(config.isRestrictedEdit ? 'markup' : val); // load display mode only in viewer me.turnDisplayMode((config.isEdit || config.isRestrictedEdit) ? 'markup' : val); // load display mode only in viewer
me.view.turnDisplayMode(config.isRestrictedEdit ? 'markup' : val); me.view.turnDisplayMode((config.isEdit || config.isRestrictedEdit) ? 'markup' : val);
} }
} }

View file

@ -41,8 +41,8 @@
function onDropDownKeyDown(e) { function onDropDownKeyDown(e) {
var $this = $(this), var $this = $(this),
$parent = $this.parent(), $parent = $this.parent(),
beforeEvent = jQuery.Event('keydown.before.bs.dropdown'), beforeEvent = jQuery.Event('keydown.before.bs.dropdown', {keyCode: e.keyCode}),
afterEvent = jQuery.Event('keydown.after.bs.dropdown'); afterEvent = jQuery.Event('keydown.after.bs.dropdown', {keyCode: e.keyCode});
$parent.trigger(beforeEvent); $parent.trigger(beforeEvent);
@ -110,8 +110,9 @@ function patchDropDownKeyDown(e) {
_.delay(function() { _.delay(function() {
var mnu = $('> [role=menu]', li), var mnu = $('> [role=menu]', li),
$subitems = mnu.find('> li:not(.divider):not(.disabled):visible > a'), $subitems = mnu.find('> li:not(.divider):not(.disabled):visible > a'),
$dataviews = mnu.find('> li:not(.divider):not(.disabled):visible .dataview'); $dataviews = mnu.find('> li:not(.divider):not(.disabled):visible .dataview'),
if ($subitems.length>0 && $dataviews.length<1) $internal_menu = mnu.find('> li:not(.divider):not(.disabled):visible ul.internal-menu');
if ($subitems.length>0 && $dataviews.length<1 && $internal_menu.length<1)
($subitems.index($subitems.filter(':focus'))<0) && $subitems.eq(0).focus(); ($subitems.index($subitems.filter(':focus'))<0) && $subitems.eq(0).focus();
}, 250); }, 250);
} }

View file

@ -446,9 +446,11 @@ Common.util.LanguageInfo = new(function() {
}, },
getLocalLanguageCode: function(name) { getLocalLanguageCode: function(name) {
for (var code in localLanguageName) { if (name) {
if (localLanguageName[code][0].toLowerCase()===name.toLowerCase()) for (var code in localLanguageName) {
return code; if (localLanguageName[code][0].toLowerCase()===name.toLowerCase())
return code;
}
} }
return null; return null;
}, },

View file

@ -85,7 +85,7 @@ define([
this.cmbLanguage = new Common.UI.ComboBox({ this.cmbLanguage = new Common.UI.ComboBox({
el: $window.find('#id-document-language'), el: $window.find('#id-document-language'),
cls: 'input-group-nr', cls: 'input-group-nr',
menuStyle: 'min-width: 318px; max-height: 300px;', menuStyle: 'min-width: 318px; max-height: 285px;',
editable: false, editable: false,
template: _.template([ template: _.template([
'<span class="input-group combobox <%= cls %> combo-langs" id="<%= id %>" style="<%= style %>">', '<span class="input-group combobox <%= cls %> combo-langs" id="<%= id %>" style="<%= style %>">',

View file

@ -16,6 +16,15 @@
} }
} }
&.internal-menu {
border: none;
border-radius: 0;
.box-shadow(none);
margin: 0;
padding: 0;
overflow: hidden;
}
li { li {
& > a { & > a {
padding: 5px 20px; padding: 5px 20px;

View file

@ -209,7 +209,10 @@ define([
Common.Utils.addScrollIfNeed('.page[data-page=comments-view]', '.page[data-page=comments-view] .page-content'); Common.Utils.addScrollIfNeed('.page[data-page=comments-view]', '.page[data-page=comments-view] .page-content');
} else { } else {
if(editor === 'DE' && !this.appConfig.canReview) { if(editor === 'DE' && !this.appConfig.canReview) {
$('#reviewing-settings').hide(); this.canViewReview = me.api.asc_HaveRevisionsChanges(true);
if (!this.canViewReview) {
$('#reviewing-settings').hide();
}
} }
} }
}, },
@ -282,6 +285,11 @@ define([
$('#settings-reject-all').removeClass('disabled'); $('#settings-reject-all').removeClass('disabled');
$('#settings-review').removeClass('disabled'); $('#settings-review').removeClass('disabled');
} }
if (!this.appConfig.canReview) {
$('#settings-review').hide();
$('#settings-accept-all').hide();
$('#settings-reject-all').hide();
}
}, },
onTrackChanges: function(e) { onTrackChanges: function(e) {
@ -384,6 +392,10 @@ define([
$('#btn-prev-change').addClass('disabled'); $('#btn-prev-change').addClass('disabled');
$('#btn-next-change').addClass('disabled'); $('#btn-next-change').addClass('disabled');
} }
if (!this.appConfig.canReview) {
$('#btn-accept-change').addClass('disabled');
$('#btn-reject-change').addClass('disabled');
}
}, },
onPrevChange: function() { onPrevChange: function() {

View file

@ -147,41 +147,51 @@ define([
}, },
renderComments: function (comments) { renderComments: function (comments) {
var $listComments = $('#comments-list'), var $pageComments = $('.page-comments .page-content');
items = []; if (!comments) {
if ($('.comment').length > 0) {
_.each(comments, function (comment) { $('.comment').remove();
var itemTemplate = [ }
'<li class="comment item-content">', var template = '<div id="no-comments" style="text-align: center; margin-top: 35px;">' + this.textNoComments + '</div>';
'<div class="item-inner">', $pageComments.append(_.template(template));
'<p class="user-name"><%= item.username %></p>', } else {
'<p class="comment-date"><%= item.date %></p>', if ($('#no-comments').length > 0) {
'<% if(item.quote) {%>', $('#no-comments').remove();
'<p class="comment-quote" data-id="<%= item.uid %>"><%= item.quote %></p>', }
'<% } %>', var $listComments = $('#comments-list'),
'<p class="comment-text"><%= item.comment %></p>', items = [];
'<% if(replys > 0) {%>', _.each(comments, function (comment) {
'<ul class="list-reply">', var itemTemplate = [
'<% _.each(item.replys, function (reply) { %>', '<li class="comment item-content">',
'<li class="reply-item">', '<div class="item-inner">',
'<p class="user-name"><%= reply.username %></p>', '<p class="user-name"><%= item.username %></p>',
'<p class="reply-date"><%= reply.date %></p>', '<p class="comment-date"><%= item.date %></p>',
'<p class="reply-text"><%= reply.reply %></p>', '<% if(item.quote) {%>',
'</li>', '<p class="comment-quote" data-id="<%= item.uid %>"><%= item.quote %></p>',
'<% }); %>', '<% } %>',
'</ul>', '<p class="comment-text"><%= item.comment %></p>',
'<% } %>', '<% if(replys > 0) {%>',
'</div>', '<ul class="list-reply">',
'</li>' '<% _.each(item.replys, function (reply) { %>',
].join(''); '<li class="reply-item">',
items.push(_.template(itemTemplate)({ '<p class="user-name"><%= reply.username %></p>',
android: Framework7.prototype.device.android, '<p class="reply-date"><%= reply.date %></p>',
item: comment, '<p class="reply-text"><%= reply.reply %></p>',
replys: comment.replys.length '</li>',
})); '<% }); %>',
}); '</ul>',
'<% } %>',
$listComments.html(items); '</div>',
'</li>'
].join('');
items.push(_.template(itemTemplate)({
android: Framework7.prototype.device.android,
item: comment,
replys: comment.replys.length,
}));
});
$listComments.html(items);
}
}, },
@ -198,8 +208,8 @@ define([
textFinal: 'Final', textFinal: 'Final',
textOriginal: 'Original', textOriginal: 'Original',
textChange: 'Review Change', textChange: 'Review Change',
textEditUsers: 'Users' textEditUsers: 'Users',
textNoComments: "This document doesn\'t contain comments"
} }
})(), Common.Views.Collaboration || {})) })(), Common.Views.Collaboration || {}))
}); });

View file

@ -46,6 +46,19 @@ var c_paragraphLinerule = {
LINERULE_EXACT: 2 LINERULE_EXACT: 2
}; };
var c_paragraphSpecial = {
NONE_SPECIAL: 0,
FIRST_LINE: 1,
HANGING: 2
};
var c_paragraphTextAlignment = {
RIGHT: 0,
LEFT: 1,
CENTERED: 2,
JUSTIFIED: 3
};
var c_pageNumPosition = { var c_pageNumPosition = {
PAGE_NUM_POSITION_TOP: 0x01, PAGE_NUM_POSITION_TOP: 0x01,
PAGE_NUM_POSITION_BOTTOM: 0x02, PAGE_NUM_POSITION_BOTTOM: 0x02,

View file

@ -1882,7 +1882,10 @@ define([
Common.Utils.ThemeColor.setColors(colors, standart_colors); Common.Utils.ThemeColor.setColors(colors, standart_colors);
if (window.styles_loaded) { if (window.styles_loaded) {
this.updateThemeColors(); this.updateThemeColors();
this.fillTextArt(this.api.asc_getTextArtPreviews()); var me = this;
setTimeout(function(){
me.fillTextArt(me.api.asc_getTextArtPreviews());
}, 1);
} }
}, },
@ -2121,6 +2124,17 @@ define([
this.beforeShowDummyComment = true; this.beforeShowDummyComment = true;
}, },
DisableMailMerge: function() {
this.appOptions.mergeFolderUrl = "";
var toolbarController = this.getApplication().getController('Toolbar');
toolbarController && toolbarController.DisableMailMerge();
},
DisableVersionHistory: function() {
this.editorConfig.canUseHistory = false;
this.appOptions.canUseHistory = false;
},
leavePageText: 'You have unsaved changes in this document. Click \'Stay on this Page\' then \'Save\' to save them. Click \'Leave this Page\' to discard all the unsaved changes.', leavePageText: 'You have unsaved changes in this document. Click \'Stay on this Page\' then \'Save\' to save them. Click \'Leave this Page\' to discard all the unsaved changes.',
criticalErrorTitle: 'Error', criticalErrorTitle: 'Error',
notcriticalErrorTitle: 'Warning', notcriticalErrorTitle: 'Warning',

View file

@ -310,6 +310,7 @@ define([
toolbar.btnCopyStyle.on('toggle', _.bind(this.onCopyStyleToggle, this)); toolbar.btnCopyStyle.on('toggle', _.bind(this.onCopyStyleToggle, this));
toolbar.mnuPageSize.on('item:click', _.bind(this.onPageSizeClick, this)); toolbar.mnuPageSize.on('item:click', _.bind(this.onPageSizeClick, this));
toolbar.mnuColorSchema.on('item:click', _.bind(this.onColorSchemaClick, this)); toolbar.mnuColorSchema.on('item:click', _.bind(this.onColorSchemaClick, this));
toolbar.mnuColorSchema.on('show:after', _.bind(this.onColorSchemaShow, this));
toolbar.btnMailRecepients.on('click', _.bind(this.onSelectRecepientsClick, this)); toolbar.btnMailRecepients.on('click', _.bind(this.onSelectRecepientsClick, this));
toolbar.mnuInsertChartPicker.on('item:click', _.bind(this.onSelectChart, this)); toolbar.mnuInsertChartPicker.on('item:click', _.bind(this.onSelectChart, this));
toolbar.mnuPageNumberPosPicker.on('item:click', _.bind(this.onInsertPageNumberClick, this)); toolbar.mnuPageNumberPosPicker.on('item:click', _.bind(this.onInsertPageNumberClick, this));
@ -1591,6 +1592,14 @@ define([
Common.NotificationCenter.trigger('edit:complete', this.toolbar); Common.NotificationCenter.trigger('edit:complete', this.toolbar);
}, },
onColorSchemaShow: function(menu) {
if (this.api) {
var value = this.api.asc_GetCurrentColorSchemeName();
var item = _.find(menu.items, function(item) { return item.value == value; });
(item) ? item.setChecked(true) : menu.clearAll();
}
},
onDropCapSelect: function(menu, item) { onDropCapSelect: function(menu, item) {
if (_.isUndefined(item.value)) if (_.isUndefined(item.value))
return; return;
@ -2606,7 +2615,7 @@ define([
this.toolbar.btnRedo.setDisabled(this._state.can_redo!==true); this.toolbar.btnRedo.setDisabled(this._state.can_redo!==true);
this.toolbar.btnCopy.setDisabled(this._state.can_copycut!==true); this.toolbar.btnCopy.setDisabled(this._state.can_copycut!==true);
this.toolbar.btnPrint.setDisabled(!this.toolbar.mode.canPrint); this.toolbar.btnPrint.setDisabled(!this.toolbar.mode.canPrint);
if (this.toolbar.mode.fileChoiceUrl || this.toolbar.mode.canRequestMailMergeRecipients) if (!this._state.mmdisable && (this.toolbar.mode.fileChoiceUrl || this.toolbar.mode.canRequestMailMergeRecipients))
this.toolbar.btnMailRecepients.setDisabled(false); this.toolbar.btnMailRecepients.setDisabled(false);
this._state.activated = true; this._state.activated = true;
@ -2614,6 +2623,11 @@ define([
this.onApiPageSize(props.get_W(), props.get_H()); this.onApiPageSize(props.get_W(), props.get_H());
}, },
DisableMailMerge: function() {
this._state.mmdisable = true;
this.toolbar && this.toolbar.btnMailRecepients && this.toolbar.btnMailRecepients.setDisabled(true);
},
updateThemeColors: function() { updateThemeColors: function() {
var updateColors = function(picker, defaultColorIndex) { var updateColors = function(picker, defaultColorIndex) {
if (picker) { if (picker) {
@ -2672,17 +2686,17 @@ define([
return; return;
} }
listStyles.menuPicker.store.reset([]); // remove all var arr = [];
var mainController = this.getApplication().getController('Main'); var mainController = this.getApplication().getController('Main');
_.each(styles.get_MergedStyles(), function(style){ _.each(styles.get_MergedStyles(), function(style){
listStyles.menuPicker.store.add({ arr.push({
imageUrl: style.asc_getImage(), imageUrl: style.asc_getImage(),
title : style.get_Name(), title : style.get_Name(),
tip : mainController.translationTable[style.get_Name()] || style.get_Name(), tip : mainController.translationTable[style.get_Name()] || style.get_Name(),
id : Common.UI.getId() id : Common.UI.getId()
}); });
}); });
listStyles.menuPicker.store.reset(arr); // remove all
if (listStyles.menuPicker.store.length > 0 && listStyles.rendered){ if (listStyles.menuPicker.store.length > 0 && listStyles.rendered){
var styleRec; var styleRec;

View file

@ -1,23 +1,66 @@
<div id="id-adv-paragraph-indents" class="settings-panel active"> <div id="id-adv-paragraph-indents" class="settings-panel active">
<div class="inner-content"> <div class="inner-content">
<table cols="3" style="width: 100%;"> <div>
<tr> <div class="padding-large" style="display: inline-block;">
<td class="padding-large"> <label class="input-label"><%= scope.textAlign %></label>
<label class="input-label"><%= scope.strIndentsFirstLine %></label> <div id="paragraphadv-spin-text-alignment"></div>
<div id="paragraphadv-spin-first-line" style="width: 85px;"></div> </div>
</td> <div class="padding-large text-only" style="float: right;">
<td class="padding-large"> <label class="input-label"><%= scope.strIndentsOutlinelevel %></label>
<div id="paragraphadv-spin-outline-level"></div>
</div>
</div>
<div><label class="header" style="padding-bottom: 4px;"><%= scope.strIndent %></label></div>
<div>
<div class="padding-large" style="display: inline-block;">
<label class="input-label"><%= scope.strIndentsLeftText %></label> <label class="input-label"><%= scope.strIndentsLeftText %></label>
<div id="paragraphadv-spin-indent-left"></div> <div id="paragraphadv-spin-indent-left"></div>
</td> </div>
<td class="padding-large"> <div class="padding-large" style="display: inline-block;">
<label class="input-label"><%= scope.strIndentsRightText %></label> <label class="input-label"><%= scope.strIndentsRightText %></label>
<div id="paragraphadv-spin-indent-right"></div> <div id="paragraphadv-spin-indent-right"></div>
</td> </div>
</tr> <div class="padding-large" style="display: inline-block;">
</table> <div>
<label class="input-label"><%= scope.strIndentsSpecial %></label>
</div>
<div>
<div id="paragraphadv-spin-special" style="display: inline-block;"></div>
<div id="paragraphadv-spin-special-by" style="display: inline-block;"></div>
</div>
</div>
</div>
<div><label class="header" style="padding-bottom: 4px;"><%= scope.strSpacing %></label></div>
<div>
<div style="display: inline-block;">
<label class="input-label"><%= scope.strIndentsSpacingBefore %></label>
<div id="paragraphadv-spin-spacing-before"></div>
</div>
<div style="display: inline-block;">
<label class="input-label"><%= scope.strIndentsSpacingAfter %></label>
<div id="paragraphadv-spin-spacing-after"></div>
</div>
<div style="display: inline-block;">
<div>
<label class="input-label"><%= scope.strIndentsLineSpacing %></label>
</div>
<div>
<div id="paragraphadv-spin-line-rule" style="display: inline-block;"></div>
<div id="paragraphadv-spin-line-height" style="display: inline-block;"></div>
</div>
</div>
</div>
<div class="text-only" style="padding-top: 8px;">
<div id="paragraphadv-checkbox-add-interval"></div>
</div>
<div class="padding-large" style="padding-top: 16px; display: none;">
<div style="border: 1px solid #cbcbcb; width: 350px;">
<div id="paragraphadv-indent-preview" style="height: 58px; position: relative;"></div>
</div>
</div>
</div> </div>
<div class="separator horizontal padding-large text-only"></div> </div>
<div id="id-adv-paragraph-line" class="settings-panel">
<div class="inner-content text-only" style="padding-right: 0px;" > <div class="inner-content text-only" style="padding-right: 0px;" >
<table cols="2" style="width: 100%;"> <table cols="2" style="width: 100%;">
<tr> <tr>
@ -44,15 +87,15 @@
<div style="width: 100%;" class="padding-small"> <div style="width: 100%;" class="padding-small">
<label class="input-label"><%= scope.textBorderWidth %></label> <label class="input-label"><%= scope.textBorderWidth %></label>
<div id="paragraphadv-combo-border-size" style="display: inline-block; vertical-align: middle; width: 93px;"></div> <div id="paragraphadv-combo-border-size" style="display: inline-block; vertical-align: middle; width: 93px;"></div>
<div style="display: inline-block; float:right;vertical-align: middle;"> <div style="display: inline-block; vertical-align: middle; padding-left: 20px;">
<label class="input-label" ><%= scope.textBorderColor %></label> <label class="input-label" ><%= scope.textBorderColor %></label>
<div id="paragraphadv-border-color-btn" style="display: inline-block;"></div> <div id="paragraphadv-border-color-btn" style="display: inline-block;"></div>
</div> </div>
</div> </div>
<label class="input-label padding-small" style="width: 100%;"><%= scope.textBorderDesc %></label> <label class="input-label padding-small" style="width: 100%;"><%= scope.textBorderDesc %></label>
<div style="width: 100%;" class="padding-large"> <div style="width: 100%;" class="padding-large">
<div id="id-deparagraphstyler" style="display: inline-block; vertical-align: middle; width: 200px; height: 170px;outline: 1px solid #ccc;"></div> <div id="id-deparagraphstyler" style="display: inline-block; vertical-align: middle; width: 200px; height: 170px;outline: 1px solid #ccc; margin-top: 2px;"></div>
<div style="display: inline-block; float:right;vertical-align: middle; width: 76px; text-align: right; height: 170px; padding-top: 10px;"> <div style="display: inline-block; vertical-align: top; width: 76px; text-align: right; height: 170px; padding-top: 0px; margin-left: 9px;">
<div id="paragraphadv-button-border-top" style="display: inline-block;"></div> <div id="paragraphadv-button-border-top" style="display: inline-block;"></div>
<div id="paragraphadv-button-border-inner-hor" style="display: inline-block;"></div> <div id="paragraphadv-button-border-inner-hor" style="display: inline-block;"></div>
<div id="paragraphadv-button-border-bottom" style="display: inline-block;"></div> <div id="paragraphadv-button-border-bottom" style="display: inline-block;"></div>
@ -70,114 +113,94 @@
</div> </div>
</div> </div>
<div id="id-adv-paragraph-font" class="settings-panel"> <div id="id-adv-paragraph-font" class="settings-panel">
<div class="inner-content"> <div class="inner-content" style="width: 100%;">
<table cols="2" style="width: 100%;"> <div class="padding-small">
<tr> <label class="header"><%= scope.textEffects %></label>
<td colspan=2 class="padding-small"> </div>
<label class="header"><%= scope.textEffects %></label> <div>
</td> <div class="padding-large" style="display: inline-block;">
</tr> <div class="padding-small" id="paragraphadv-checkbox-strike"></div>
<tr> <div class="padding-small" id="paragraphadv-checkbox-double-strike"></div>
<td class="padding-small"> <div id="paragraphadv-checkbox-superscript"></div>
<div id="paragraphadv-checkbox-strike"></div> </div>
</td> <div class="padding-large" style="display: inline-block; padding-left: 40px;">
<td class="padding-small"> <div class="padding-small" id="paragraphadv-checkbox-subscript"></div>
<div id="paragraphadv-checkbox-subscript"></div> <div class="padding-small" id="paragraphadv-checkbox-small-caps"></div>
</td> <div id="paragraphadv-checkbox-all-caps"></div>
</tr> </div>
<tr> </div>
<td class="padding-small"> <div class="padding-small">
<div id="paragraphadv-checkbox-double-strike"></div> <label class="header"><%= scope.textCharacterSpacing %></label>
</td> </div>
<td class="padding-small"> <div class="padding-large">
<div id="paragraphadv-checkbox-small-caps"></div> <div style="display: inline-block;">
</td>
</tr>
<tr>
<td class="padding-large">
<div id="paragraphadv-checkbox-superscript"></div>
</td>
<td class="padding-large">
<div id="paragraphadv-checkbox-all-caps"></div>
</td>
</tr>
<tr>
<td colspan=2 class="padding-small">
<label class="header"><%= scope.textCharacterSpacing %></label>
</td>
</tr>
<tr>
<td class="padding-large" width="50%">
<label class="input-label"><%= scope.textSpacing %></label> <label class="input-label"><%= scope.textSpacing %></label>
<div id="paragraphadv-spin-spacing"></div> <div id="paragraphadv-spin-spacing"></div>
</td> </div>
<td class="padding-large text-only" width="50%"> <div class="text-only" style="display: inline-block; margin-left: 15px;">
<label class="input-label"><%= scope.textPosition %></label> <label class="input-label"><%= scope.textPosition %></label>
<div id="paragraphadv-spin-position"></div> <div id="paragraphadv-spin-position"></div>
</td> </div>
</tr> </div>
<tr> <div style="border: 1px solid #cbcbcb;">
<td colspan=2> <div id="paragraphadv-font-img" style="width: 300px; height: 80px; position: relative; margin: 0 auto;"></div>
<div style="border: 1px solid #cbcbcb;"> </div>
<div id="paragraphadv-font-img" style="width: 300px; height: 80px; position: relative;"></div>
</div>
</td>
</tr>
</table>
</div> </div>
</div> </div>
<div id="id-adv-paragraph-tabs" class="settings-panel"> <div id="id-adv-paragraph-tabs" class="settings-panel">
<div class="inner-content"> <div class="inner-content">
<div class="padding-small" style="display: inline-block;"> <div class="padding-large">
<label class="input-label"><%= scope.textTabPosition %></label> <label class="input-label"><%= scope.textDefault %></label>
<div id="paraadv-spin-tab"></div> <div id="paraadv-spin-default-tab"></div>
</div>
<div class="padding-small" style="display: inline-block; float: right;"> </div>
<label class="input-label"><%= scope.textDefault %></label> <div>
<div id="paraadv-spin-default-tab"></div> <div class="padding-large" style="display: inline-block; margin-right: 9px;">
</div> <label class="input-label"><%= scope.textTabPosition %></label>
<div class="padding-large"> <div id="paraadv-spin-tab"></div>
<div id="paraadv-list-tabs" style="width:180px; height: 94px;"></div> </div>
</div> <div class="padding-large" style=" display: inline-block; margin-right: 9px;">
<div class="padding-large" style="display: inline-block;margin-right: 7px;"> <label class="input-label"><%= scope.textAlign %></label>
<label class="input-label"><%= scope.textAlign %></label> <div id="paraadv-cmb-align"></div>
<div id="paraadv-cmb-align"></div> </div>
</div> <div class="padding-large" style="display: inline-block;">
<div class="padding-large" style="display: inline-block;"> <label class="input-label"><%= scope.textLeader %></label>
<label class="input-label"><%= scope.textLeader %></label> <div id="paraadv-cmb-leader"></div>
<div id="paraadv-cmb-leader"></div> </div>
</div> </div>
<div style="margin-bottom: 45px;"></div> <div>
<div> <div colspan=3 class="padding-large">
<button type="button" class="btn btn-text-default" id="paraadv-button-add-tab" style="width:90px;margin-right: 4px;"><%= scope.textSet %></button> <div id="paraadv-list-tabs" style="width:348px; height: 110px;"></div>
<button type="button" class="btn btn-text-default" id="paraadv-button-remove-tab" style="width:90px;margin-right: 4px;"><%= scope.textRemove %></button> </div>
<button type="button" class="btn btn-text-default" id="paraadv-button-remove-all" style="width:90px;margin-right: 4px;"><%= scope.textRemoveAll %></button> </div>
</div> <div>
<button type="button" class="btn btn-text-default" id="paraadv-button-add-tab" style="width:108px;margin-right: 9px; display: inline-block;"><%= scope.textSet %></button>
<button type="button" class="btn btn-text-default" id="paraadv-button-remove-tab" style="width:108px;margin-right: 9px; display: inline-block;"><%= scope.textRemove %></button>
<button type="button" class="btn btn-text-default" id="paraadv-button-remove-all" style="width:108px;display: inline-block;"><%= scope.textRemoveAll %></button>
</div>
</div> </div>
</div> </div>
<div id="id-adv-paragraph-margins" class="settings-panel"> <div id="id-adv-paragraph-margins" class="settings-panel">
<div class="inner-content"> <div class="inner-content">
<table cols="2" style="width: 100%;"> <div>
<tr> <div class="padding-small" style="display: inline-block;">
<td class="padding-small" width="50%">
<label class="input-label"><%= scope.textTop %></label> <label class="input-label"><%= scope.textTop %></label>
<div id="paraadv-number-margin-top"></div> <div id="paraadv-number-margin-top"></div>
</td> </div>
<td class="padding-small" width="50%"> <div class="padding-small" style="display: inline-block; padding-left: 15px;">
<label class="input-label"><%= scope.textLeft %></label> <label class="input-label"><%= scope.textLeft %></label>
<div id="paraadv-number-margin-left"></div> <div id="paraadv-number-margin-left"></div>
</td> </div>
</tr> </div>
<tr> <div>
<td class="padding-small" width="50%"> <div class="padding-small" style="display: inline-block;">
<label class="input-label"><%= scope.textBottom %></label> <label class="input-label"><%= scope.textBottom %></label>
<div id="paraadv-number-margin-bottom"></div> <div id="paraadv-number-margin-bottom"></div>
</td> </div>
<td class="padding-small" width="50%"> <div class="padding-small" style="display: inline-block; padding-left: 15px;">
<label class="input-label"><%= scope.textRight %></label> <label class="input-label"><%= scope.textRight %></label>
<div id="paraadv-number-margin-right"></div> <div id="paraadv-number-margin-right"></div>
</td> </div>
</tr> </div>
</table>
</div> </div>
</div> </div>

View file

@ -2741,7 +2741,7 @@ define([
menu : new Common.UI.Menu({ menu : new Common.UI.Menu({
cls: 'lang-menu', cls: 'lang-menu',
menuAlign: 'tl-tr', menuAlign: 'tl-tr',
restoreHeight: 300, restoreHeight: 285,
items : [], items : [],
search: true search: true
}) })
@ -3382,7 +3382,7 @@ define([
menu : new Common.UI.Menu({ menu : new Common.UI.Menu({
cls: 'lang-menu', cls: 'lang-menu',
menuAlign: 'tl-tr', menuAlign: 'tl-tr',
restoreHeight: 300, restoreHeight: 285,
items : [], items : [],
search: true search: true
}) })

View file

@ -250,21 +250,20 @@ define([
}, },
applyMode: function() { applyMode: function() {
this.miPrint[this.mode.canPrint?'show':'hide']();
this.miRename[(this.mode.canRename && !this.mode.isDesktopApp) ?'show':'hide']();
this.miProtect[this.mode.canProtect ?'show':'hide']();
this.miProtect.$el.find('+.devider')[!this.mode.isDisconnected?'show':'hide']();
this.miRecent[this.mode.canOpenRecent?'show':'hide']();
this.miNew[this.mode.canCreateNew?'show':'hide']();
this.miNew.$el.find('+.devider')[this.mode.canCreateNew?'show':'hide']();
this.miDownload[((this.mode.canDownload || this.mode.canDownloadOrigin) && (!this.mode.isDesktopApp || !this.mode.isOffline))?'show':'hide'](); this.miDownload[((this.mode.canDownload || this.mode.canDownloadOrigin) && (!this.mode.isDesktopApp || !this.mode.isOffline))?'show':'hide']();
this.miSaveCopyAs[((this.mode.canDownload || this.mode.canDownloadOrigin) && (!this.mode.isDesktopApp || !this.mode.isOffline)) && (this.mode.canRequestSaveAs || this.mode.saveAsUrl) ?'show':'hide'](); this.miSaveCopyAs[((this.mode.canDownload || this.mode.canDownloadOrigin) && (!this.mode.isDesktopApp || !this.mode.isOffline)) && (this.mode.canRequestSaveAs || this.mode.saveAsUrl) ?'show':'hide']();
this.miSaveAs[((this.mode.canDownload || this.mode.canDownloadOrigin) && this.mode.isDesktopApp && this.mode.isOffline)?'show':'hide'](); this.miSaveAs[((this.mode.canDownload || this.mode.canDownloadOrigin) && this.mode.isDesktopApp && this.mode.isOffline)?'show':'hide']();
// this.hkSaveAs[this.mode.canDownload?'enable':'disable']();
this.miSave[this.mode.isEdit?'show':'hide'](); this.miSave[this.mode.isEdit?'show':'hide']();
this.miEdit[!this.mode.isEdit && this.mode.canEdit && this.mode.canRequestEditRights ?'show':'hide'](); this.miEdit[!this.mode.isEdit && this.mode.canEdit && this.mode.canRequestEditRights ?'show':'hide']();
this.miPrint[this.mode.canPrint?'show':'hide']();
this.miRename[(this.mode.canRename && !this.mode.isDesktopApp) ?'show':'hide']();
this.miProtect[this.mode.canProtect ?'show':'hide']();
var isVisible = this.mode.canDownload || this.mode.canDownloadOrigin || this.mode.isEdit || this.mode.canPrint || this.mode.canProtect ||
!this.mode.isEdit && this.mode.canEdit && this.mode.canRequestEditRights || this.mode.canRename && !this.mode.isDesktopApp;
this.miProtect.$el.find('+.devider')[isVisible && !this.mode.isDisconnected?'show':'hide']();
this.miRecent[this.mode.canOpenRecent?'show':'hide']();
this.miNew[this.mode.canCreateNew?'show':'hide']();
this.miNew.$el.find('+.devider')[this.mode.canCreateNew?'show':'hide']();
this.miAccess[(!this.mode.isOffline && !this.mode.isReviewOnly && this.document&&this.document.info && this.miAccess[(!this.mode.isOffline && !this.mode.isReviewOnly && this.document&&this.document.info &&
(this.document.info.sharingSettings&&this.document.info.sharingSettings.length>0 || (this.document.info.sharingSettings&&this.document.info.sharingSettings.length>0 ||

View file

@ -726,14 +726,14 @@ define([
// '<td class="left"><label>' + this.txtEditTime + '</label></td>', // '<td class="left"><label>' + this.txtEditTime + '</label></td>',
// '<td class="right"><label id="id-info-edittime"></label></td>', // '<td class="right"><label id="id-info-edittime"></label></td>',
// '</tr>', // '</tr>',
'<tr>',
'<td class="left"><label>' + this.txtSubject + '</label></td>',
'<td class="right"><div id="id-info-subject"></div></td>',
'</tr>',
'<tr>', '<tr>',
'<td class="left"><label>' + this.txtTitle + '</label></td>', '<td class="left"><label>' + this.txtTitle + '</label></td>',
'<td class="right"><div id="id-info-title"></div></td>', '<td class="right"><div id="id-info-title"></div></td>',
'</tr>', '</tr>',
'<tr>',
'<td class="left"><label>' + this.txtSubject + '</label></td>',
'<td class="right"><div id="id-info-subject"></div></td>',
'</tr>',
'<tr>', '<tr>',
'<td class="left"><label>' + this.txtComment + '</label></td>', '<td class="left"><label>' + this.txtComment + '</label></td>',
'<td class="right"><div id="id-info-comment"></div></td>', '<td class="right"><div id="id-info-comment"></div></td>',

View file

@ -183,8 +183,9 @@ define([
setApi: function(api) { setApi: function(api) {
this.api = api; this.api = api;
if (this.api) if (this.api) {
this.api.asc_registerCallback('asc_onParaSpacingLine', _.bind(this._onLineSpacing, this)); this.api.asc_registerCallback('asc_onParaSpacingLine', _.bind(this._onLineSpacing, this));
}
return this; return this;
}, },

View file

@ -51,17 +51,19 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
DE.Views.ParagraphSettingsAdvanced = Common.Views.AdvancedSettingsWindow.extend(_.extend({ DE.Views.ParagraphSettingsAdvanced = Common.Views.AdvancedSettingsWindow.extend(_.extend({
options: { options: {
contentWidth: 335, contentWidth: 370,
height: 394, height: 394,
toggleGroup: 'paragraph-adv-settings-group', toggleGroup: 'paragraph-adv-settings-group',
storageName: 'de-para-settings-adv-category' storageName: 'de-para-settings-adv-category'
}, },
initialize : function(options) { initialize : function(options) {
var me = this;
_.extend(this.options, { _.extend(this.options, {
title: this.textTitle, title: this.textTitle,
items: [ items: [
{panelId: 'id-adv-paragraph-indents', panelCaption: this.strParagraphIndents}, {panelId: 'id-adv-paragraph-indents', panelCaption: this.strParagraphIndents},
{panelId: 'id-adv-paragraph-line', panelCaption: this.strParagraphLine},
{panelId: 'id-adv-paragraph-borders', panelCaption: this.strBorders}, {panelId: 'id-adv-paragraph-borders', panelCaption: this.strBorders},
{panelId: 'id-adv-paragraph-font', panelCaption: this.strParagraphFont}, {panelId: 'id-adv-paragraph-font', panelCaption: this.strParagraphFont},
{panelId: 'id-adv-paragraph-tabs', panelCaption: this.strTabs}, {panelId: 'id-adv-paragraph-tabs', panelCaption: this.strTabs},
@ -84,6 +86,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.Margins = undefined; this.Margins = undefined;
this.FirstLine = undefined; this.FirstLine = undefined;
this.LeftIndent = undefined; this.LeftIndent = undefined;
this.Spacing = null;
this.spinners = []; this.spinners = [];
this.tableStylerRows = this.options.tableStylerRows; this.tableStylerRows = this.options.tableStylerRows;
@ -92,6 +95,55 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.api = this.options.api; this.api = this.options.api;
this._originalProps = new Asc.asc_CParagraphProperty(this.options.paragraphProps); this._originalProps = new Asc.asc_CParagraphProperty(this.options.paragraphProps);
this.isChart = this.options.isChart; this.isChart = this.options.isChart;
this.CurLineRuleIdx = this._originalProps.get_Spacing().get_LineRule();
this._arrLineRule = [
{displayValue: this.textAtLeast,defaultValue: 5, value: c_paragraphLinerule.LINERULE_LEAST, minValue: 0.03, step: 0.01, defaultUnit: 'cm'},
{displayValue: this.textAuto, defaultValue: 1, value: c_paragraphLinerule.LINERULE_AUTO, minValue: 0.5, step: 0.01, defaultUnit: ''},
{displayValue: this.textExact, defaultValue: 5, value: c_paragraphLinerule.LINERULE_EXACT, minValue: 0.03, step: 0.01, defaultUnit: 'cm'}
];
this._arrSpecial = [
{displayValue: this.textNoneSpecial, value: c_paragraphSpecial.NONE_SPECIAL, defaultValue: 0},
{displayValue: this.textFirstLine, value: c_paragraphSpecial.FIRST_LINE, defaultValue: 12.7},
{displayValue: this.textHanging, value: c_paragraphSpecial.HANGING, defaultValue: 12.7}
];
this.CurSpecial = undefined;
this._arrTextAlignment = [
{displayValue: this.textTabLeft, value: c_paragraphTextAlignment.LEFT},
{displayValue: this.textTabCenter, value: c_paragraphTextAlignment.CENTERED},
{displayValue: this.textTabRight, value: c_paragraphTextAlignment.RIGHT},
{displayValue: this.textJustified, value: c_paragraphTextAlignment.JUSTIFIED}
];
this._arrOutlinelevel = [{displayValue: this.textBodyText, value: -1}];
for (var i=0; i<9; i++) {
this._arrOutlinelevel.push({displayValue: this.textLevel + ' ' + (i+1), value: i});
}
this._arrTabAlign = [
{ value: 1, displayValue: this.textTabLeft },
{ value: 3, displayValue: this.textTabCenter },
{ value: 2, displayValue: this.textTabRight }
];
this._arrKeyTabAlign = [];
this._arrTabAlign.forEach(function(item) {
me._arrKeyTabAlign[item.value] = item.displayValue;
});
this._arrTabLeader = [
{ value: Asc.c_oAscTabLeader.None, displayValue: this.textNone },
{ value: Asc.c_oAscTabLeader.Dot, displayValue: '....................' },
{ value: Asc.c_oAscTabLeader.Hyphen, displayValue: '-----------------' },
{ value: Asc.c_oAscTabLeader.MiddleDot, displayValue: '·················' },
{ value: Asc.c_oAscTabLeader.Underscore,displayValue: '__________' }
];
this._arrKeyTabLeader = [];
this._arrTabLeader.forEach(function(item) {
me._arrKeyTabLeader[item.value] = item.displayValue;
});
}, },
render: function() { render: function() {
@ -101,25 +153,6 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
// Indents & Placement // Indents & Placement
this.numFirstLine = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-first-line'),
step: .1,
width: 85,
defaultUnit : "cm",
defaultValue : 0,
value: '0 cm',
maxValue: 55.87,
minValue: -55.87
});
this.numFirstLine.on('change', _.bind(function(field, newValue, oldValue, eOpts){
if (this._changedProps) {
if (this._changedProps.get_Ind()===null || this._changedProps.get_Ind()===undefined)
this._changedProps.put_Ind(new Asc.asc_CParagraphInd());
this._changedProps.get_Ind().put_FirstLine(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()));
}
}, this));
this.spinners.push(this.numFirstLine);
this.numIndentsLeft = new Common.UI.MetricSpinner({ this.numIndentsLeft = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-indent-left'), el: $('#paragraphadv-spin-indent-left'),
step: .1, step: .1,
@ -158,6 +191,121 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
}, this)); }, this));
this.spinners.push(this.numIndentsRight); this.spinners.push(this.numIndentsRight);
this.numSpacingBefore = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-spacing-before'),
step: .1,
width: 85,
value: '',
defaultUnit : "cm",
maxValue: 55.88,
minValue: 0,
allowAuto : true,
autoText : this.txtAutoText
});
this.numSpacingBefore.on('change', _.bind(function (field, newValue, oldValue, eOpts) {
if (this.Spacing === null) {
var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty();
this.Spacing = properties.get_Spacing();
}
this.Spacing.Before = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue());
}, this));
this.spinners.push(this.numSpacingBefore);
this.numSpacingAfter = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-spacing-after'),
step: .1,
width: 85,
value: '',
defaultUnit : "cm",
maxValue: 55.88,
minValue: 0,
allowAuto : true,
autoText : this.txtAutoText
});
this.numSpacingAfter.on('change', _.bind(function (field, newValue, oldValue, eOpts) {
if (this.Spacing === null) {
var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty();
this.Spacing = properties.get_Spacing();
}
this.Spacing.After = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue());
}, this));
this.spinners.push(this.numSpacingAfter);
this.cmbLineRule = new Common.UI.ComboBox({
el: $('#paragraphadv-spin-line-rule'),
cls: 'input-group-nr',
editable: false,
data: this._arrLineRule,
style: 'width: 85px;',
menuStyle : 'min-width: 85px;'
});
this.cmbLineRule.setValue(this.CurLineRuleIdx);
this.cmbLineRule.on('selected', _.bind(this.onLineRuleSelect, this));
this.numLineHeight = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-line-height'),
step: .01,
width: 85,
value: '',
defaultUnit : "",
maxValue: 132,
minValue: 0.5
});
this.spinners.push(this.numLineHeight);
this.numLineHeight.on('change', _.bind(this.onNumLineHeightChange, this));
this.chAddInterval = new Common.UI.CheckBox({
el: $('#paragraphadv-checkbox-add-interval'),
labelText: this.strSomeParagraphSpace
});
this.cmbSpecial = new Common.UI.ComboBox({
el: $('#paragraphadv-spin-special'),
cls: 'input-group-nr',
editable: false,
data: this._arrSpecial,
style: 'width: 85px;',
menuStyle : 'min-width: 85px;'
});
this.cmbSpecial.setValue('');
this.cmbSpecial.on('selected', _.bind(this.onSpecialSelect, this));
this.numSpecialBy = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-special-by'),
step: .1,
width: 85,
defaultUnit : "cm",
defaultValue : 0,
value: '0 cm',
maxValue: 55.87,
minValue: 0
});
this.spinners.push(this.numSpecialBy);
this.numSpecialBy.on('change', _.bind(this.onFirstLineChange, this));
this.cmbTextAlignment = new Common.UI.ComboBox({
el: $('#paragraphadv-spin-text-alignment'),
cls: 'input-group-nr',
editable: false,
data: this._arrTextAlignment,
style: 'width: 173px;',
menuStyle : 'min-width: 173px;'
});
this.cmbTextAlignment.setValue('');
this.cmbOutlinelevel = new Common.UI.ComboBox({
el: $('#paragraphadv-spin-outline-level'),
cls: 'input-group-nr',
editable: false,
data: this._arrOutlinelevel,
style: 'width: 174px;',
menuStyle : 'min-width: 174px;'
});
this.cmbOutlinelevel.setValue(-1);
this.cmbOutlinelevel.on('selected', _.bind(this.onOutlinelevelSelect, this));
// Line & Page Breaks
this.chBreakBefore = new Common.UI.CheckBox({ this.chBreakBefore = new Common.UI.CheckBox({
el: $('#paragraphadv-checkbox-break-before'), el: $('#paragraphadv-checkbox-break-before'),
labelText: this.strBreakBefore labelText: this.strBreakBefore
@ -326,7 +474,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.numSpacing = new Common.UI.MetricSpinner({ this.numSpacing = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-spacing'), el: $('#paragraphadv-spin-spacing'),
step: .01, step: .01,
width: 100, width: 90,
defaultUnit : "cm", defaultUnit : "cm",
defaultValue : 0, defaultValue : 0,
value: '0 cm', value: '0 cm',
@ -348,7 +496,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.numPosition = new Common.UI.MetricSpinner({ this.numPosition = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-position'), el: $('#paragraphadv-spin-position'),
step: .01, step: .01,
width: 100, width: 90,
defaultUnit : "cm", defaultUnit : "cm",
defaultValue : 0, defaultValue : 0,
value: '0 cm', value: '0 cm',
@ -371,7 +519,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.numTab = new Common.UI.MetricSpinner({ this.numTab = new Common.UI.MetricSpinner({
el: $('#paraadv-spin-tab'), el: $('#paraadv-spin-tab'),
step: .1, step: .1,
width: 180, width: 108,
defaultUnit : "cm", defaultUnit : "cm",
value: '1.25 cm', value: '1.25 cm',
maxValue: 55.87, maxValue: 55.87,
@ -382,7 +530,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.numDefaultTab = new Common.UI.MetricSpinner({ this.numDefaultTab = new Common.UI.MetricSpinner({
el: $('#paraadv-spin-default-tab'), el: $('#paraadv-spin-default-tab'),
step: .1, step: .1,
width: 107, width: 108,
defaultUnit : "cm", defaultUnit : "cm",
value: '1.25 cm', value: '1.25 cm',
maxValue: 55.87, maxValue: 55.87,
@ -398,7 +546,15 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.tabList = new Common.UI.ListView({ this.tabList = new Common.UI.ListView({
el: $('#paraadv-list-tabs'), el: $('#paraadv-list-tabs'),
emptyText: this.noTabs, emptyText: this.noTabs,
store: new Common.UI.DataViewStore() store: new Common.UI.DataViewStore(),
template: _.template(['<div class="listview inner" style=""></div>'].join('')),
itemTemplate: _.template([
'<div id="<%= id %>" class="list-item" style="width: 100%;display:inline-block;">',
'<div style="width:117px;display: inline-block;"><%= value %></div>',
'<div style="width:121px;display: inline-block;"><%= displayTabAlign %></div>',
'<div style="width:96px;display: inline-block;"><%= displayTabLeader %></div>',
'</div>'
].join(''))
}); });
this.tabList.store.comparator = function(rec) { this.tabList.store.comparator = function(rec) {
return rec.get("tabPos"); return rec.get("tabPos");
@ -415,31 +571,21 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.cmbAlign = new Common.UI.ComboBox({ this.cmbAlign = new Common.UI.ComboBox({
el : $('#paraadv-cmb-align'), el : $('#paraadv-cmb-align'),
style : 'width: 85px;', style : 'width: 108px;',
menuStyle : 'min-width: 85px;', menuStyle : 'min-width: 108px;',
editable : false, editable : false,
cls : 'input-group-nr', cls : 'input-group-nr',
data : [ data : this._arrTabAlign
{ value: 1, displayValue: this.textTabLeft },
{ value: 3, displayValue: this.textTabCenter },
{ value: 2, displayValue: this.textTabRight }
]
}); });
this.cmbAlign.setValue(1); this.cmbAlign.setValue(1);
this.cmbLeader = new Common.UI.ComboBox({ this.cmbLeader = new Common.UI.ComboBox({
el : $('#paraadv-cmb-leader'), el : $('#paraadv-cmb-leader'),
style : 'width: 85px;', style : 'width: 108px;',
menuStyle : 'min-width: 85px;', menuStyle : 'min-width: 108px;',
editable : false, editable : false,
cls : 'input-group-nr', cls : 'input-group-nr',
data : [ data : this._arrTabLeader
{ value: Asc.c_oAscTabLeader.None, displayValue: this.textNone },
{ value: Asc.c_oAscTabLeader.Dot, displayValue: '....................' },
{ value: Asc.c_oAscTabLeader.Hyphen, displayValue: '-----------------' },
{ value: Asc.c_oAscTabLeader.MiddleDot, displayValue: '·················' },
{ value: Asc.c_oAscTabLeader.Underscore,displayValue: '__________' }
]
}); });
this.cmbLeader.setValue(Asc.c_oAscTabLeader.None); this.cmbLeader.setValue(Asc.c_oAscTabLeader.None);
@ -600,6 +746,16 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
} }
} }
if (this.Spacing !== null) {
this._changedProps.asc_putSpacing(this.Spacing);
}
var spaceBetweenPrg = this.chAddInterval.getValue();
this._changedProps.asc_putContextualSpacing(spaceBetweenPrg == 'checked');
var horizontalAlign = this.cmbTextAlignment.getValue();
this._changedProps.asc_putJc((horizontalAlign !== undefined && horizontalAlign !== null) ? horizontalAlign : c_paragraphTextAlignment.LEFT);
return { paragraphProps: this._changedProps, borderProps: {borderSize: this.BorderSize, borderColor: this.btnBorderColor.color} }; return { paragraphProps: this._changedProps, borderProps: {borderSize: this.BorderSize, borderColor: this.btnBorderColor.color} };
}, },
@ -610,13 +766,34 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.hideTextOnlySettings(this.isChart); this.hideTextOnlySettings(this.isChart);
this.FirstLine = (props.get_Ind() !== null) ? props.get_Ind().get_FirstLine() : null; this.FirstLine = (props.get_Ind() !== null) ? props.get_Ind().get_FirstLine() : null;
this.numFirstLine.setValue(this.FirstLine!== null ? Common.Utils.Metric.fnRecalcFromMM(this.FirstLine) : '', true);
this.LeftIndent = (props.get_Ind() !== null) ? props.get_Ind().get_Left() : null; this.LeftIndent = (props.get_Ind() !== null) ? props.get_Ind().get_Left() : null;
if (this.FirstLine<0 && this.LeftIndent !== null) if (this.FirstLine<0 && this.LeftIndent !== null)
this.LeftIndent = this.LeftIndent + this.FirstLine; this.LeftIndent = this.LeftIndent + this.FirstLine;
this.numIndentsLeft.setValue(this.LeftIndent!==null ? Common.Utils.Metric.fnRecalcFromMM(this.LeftIndent) : '', true); this.numIndentsLeft.setValue(this.LeftIndent!==null ? Common.Utils.Metric.fnRecalcFromMM(this.LeftIndent) : '', true);
this.numIndentsRight.setValue((props.get_Ind() !== null && props.get_Ind().get_Right() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Right()) : '', true); this.numIndentsRight.setValue((props.get_Ind() !== null && props.get_Ind().get_Right() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Right()) : '', true);
this.numSpacingBefore.setValue((props.get_Spacing() !== null && props.get_Spacing().get_Before() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_Before()) : '', true);
this.numSpacingAfter.setValue((props.get_Spacing() !== null && props.get_Spacing().get_After() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_After()) : '', true);
var linerule = props.get_Spacing().get_LineRule();
this.cmbLineRule.setValue((linerule !== null) ? linerule : '', true);
if(props.get_Spacing() !== null && props.get_Spacing().get_Line() !== null) {
this.numLineHeight.setValue((linerule==c_paragraphLinerule.LINERULE_AUTO) ? props.get_Spacing().get_Line() : Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_Line()), true);
} else {
this.numLineHeight.setValue('', true);
}
this.chAddInterval.setValue((props.get_ContextualSpacing() !== null && props.get_ContextualSpacing() !== undefined) ? props.get_ContextualSpacing() : 'indeterminate', true);
if(this.CurSpecial === undefined) {
this.CurSpecial = (props.get_Ind().get_FirstLine() === 0) ? c_paragraphSpecial.NONE_SPECIAL : ((props.get_Ind().get_FirstLine() > 0) ? c_paragraphSpecial.FIRST_LINE : c_paragraphSpecial.HANGING);
}
this.cmbSpecial.setValue(this.CurSpecial);
this.numSpecialBy.setValue(this.FirstLine!== null ? Math.abs(Common.Utils.Metric.fnRecalcFromMM(this.FirstLine)) : '', true);
this.cmbTextAlignment.setValue((props.get_Jc() !== undefined && props.get_Jc() !== null) ? props.get_Jc() : c_paragraphTextAlignment.LEFT, true);
this.chKeepLines.setValue((props.get_KeepLines() !== null && props.get_KeepLines() !== undefined) ? props.get_KeepLines() : 'indeterminate', true); this.chKeepLines.setValue((props.get_KeepLines() !== null && props.get_KeepLines() !== undefined) ? props.get_KeepLines() : 'indeterminate', true);
this.chBreakBefore.setValue((props.get_PageBreakBefore() !== null && props.get_PageBreakBefore() !== undefined) ? props.get_PageBreakBefore() : 'indeterminate', true); this.chBreakBefore.setValue((props.get_PageBreakBefore() !== null && props.get_PageBreakBefore() !== undefined) ? props.get_PageBreakBefore() : 'indeterminate', true);
@ -702,7 +879,9 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
tabPos: pos, tabPos: pos,
value: parseFloat(pos.toFixed(3)) + ' ' + Common.Utils.Metric.getCurrentMetricName(), value: parseFloat(pos.toFixed(3)) + ' ' + Common.Utils.Metric.getCurrentMetricName(),
tabAlign: tab.get_Value(), tabAlign: tab.get_Value(),
tabLeader: tab.asc_getLeader() tabLeader: tab.get_Leader(),
displayTabLeader: this._arrKeyTabLeader[tab.get_Leader()],
displayTabAlign: this._arrKeyTabAlign[tab.get_Value()]
}); });
arr.push(rec); arr.push(rec);
} }
@ -711,6 +890,9 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
this.tabList.selectByIndex(0); this.tabList.selectByIndex(0);
} }
this.cmbOutlinelevel.setValue((props.get_OutlineLvl() === undefined || props.get_OutlineLvl()===null) ? -1 : props.get_OutlineLvl());
this.cmbOutlinelevel.setDisabled(!!props.get_OutlineLvlStyle());
this._noApply = false; this._noApply = false;
this._changedProps = new Asc.asc_CParagraphProperty(); this._changedProps = new Asc.asc_CParagraphProperty();
@ -723,13 +905,19 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
for (var i=0; i<this.spinners.length; i++) { for (var i=0; i<this.spinners.length; i++) {
var spinner = this.spinners[i]; var spinner = this.spinners[i];
spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName()); spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName());
if (spinner.el.id == 'paragraphadv-spin-spacing' || spinner.el.id == 'paragraphadv-spin-position' ) if (spinner.el.id == 'paragraphadv-spin-spacing' || spinner.el.id == 'paragraphadv-spin-position' || spinner.el.id == 'paragraphadv-spin-spacing-before' || spinner.el.id == 'paragraphadv-spin-spacing-after')
spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.01); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.01);
else else
spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.1); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.1);
} }
} }
this._arrLineRule[2].defaultUnit = this._arrLineRule[0].defaultUnit = Common.Utils.Metric.getCurrentMetricName();
this._arrLineRule[2].minValue = this._arrLineRule[0].minValue = parseFloat(Common.Utils.Metric.fnRecalcFromMM(0.3).toFixed(2));
this._arrLineRule[2].step = this._arrLineRule[0].step = (Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt) ? 1 : 0.01;
if (this.CurLineRuleIdx !== null) {
this.numLineHeight.setDefaultUnit(this._arrLineRule[this.CurLineRuleIdx].defaultUnit);
this.numLineHeight.setStep(this._arrLineRule[this.CurLineRuleIdx].step);
}
}, },
updateThemeColors: function() { updateThemeColors: function() {
@ -1095,7 +1283,9 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
addTab: function(btn, eOpts){ addTab: function(btn, eOpts){
var val = this.numTab.getNumberValue(), var val = this.numTab.getNumberValue(),
align = this.cmbAlign.getValue(), align = this.cmbAlign.getValue(),
leader = this.cmbLeader.getValue(); leader = this.cmbLeader.getValue(),
displayAlign = this._arrKeyTabAlign[align],
displayLeader = this._arrKeyTabLeader[leader];
var store = this.tabList.store; var store = this.tabList.store;
var rec = store.find(function(record){ var rec = store.find(function(record){
@ -1104,6 +1294,8 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
if (rec) { if (rec) {
rec.set('tabAlign', align); rec.set('tabAlign', align);
rec.set('tabLeader', leader); rec.set('tabLeader', leader);
rec.set('displayTabAlign', displayAlign);
rec.set('displayTabLeader', displayLeader);
this._tabListChanged = true; this._tabListChanged = true;
} else { } else {
rec = new Common.UI.DataViewModel(); rec = new Common.UI.DataViewModel();
@ -1111,7 +1303,9 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
tabPos: val, tabPos: val,
value: val + ' ' + Common.Utils.Metric.getCurrentMetricName(), value: val + ' ' + Common.Utils.Metric.getCurrentMetricName(),
tabAlign: align, tabAlign: align,
tabLeader: leader tabLeader: leader,
displayTabLeader: displayLeader,
displayTabAlign: displayAlign
}); });
store.add(rec); store.add(rec);
} }
@ -1158,15 +1352,91 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
hideTextOnlySettings: function(value) { hideTextOnlySettings: function(value) {
this.TextOnlySettings.toggleClass('hidden', value==true); this.TextOnlySettings.toggleClass('hidden', value==true);
this.btnsCategory[1].setVisible(!value); // Borders this.btnsCategory[1].setVisible(!value); // Line & Page Breaks
this.btnsCategory[4].setVisible(!value); // Paddings this.btnsCategory[2].setVisible(!value); // Borders
this.btnsCategory[5].setVisible(!value); // Paddings
},
onLineRuleSelect: function(combo, record) {
if (this.Spacing === null) {
var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty();
this.Spacing = properties.get_Spacing();
}
this.Spacing.LineRule = record.value;
if ( this.CurLineRuleIdx !== this.Spacing.LineRule ) {
this.numLineHeight.setDefaultUnit(this._arrLineRule[record.value].defaultUnit);
this.numLineHeight.setMinValue(this._arrLineRule[record.value].minValue);
this.numLineHeight.setStep(this._arrLineRule[record.value].step);
var value = this.numLineHeight.getNumberValue();
if (this.Spacing.LineRule === c_paragraphLinerule.LINERULE_AUTO) {
this.numLineHeight.setValue(this._arrLineRule[record.value].defaultValue);
} else if (this.CurLineRuleIdx === c_paragraphLinerule.LINERULE_AUTO) {
this.numLineHeight.setValue(Common.Utils.Metric.fnRecalcFromMM(this._arrLineRule[record.value].defaultValue));
} else {
this.numLineHeight.setValue(value);
}
this.CurLineRuleIdx = record.value;
}
},
onNumLineHeightChange: function(field, newValue, oldValue, eOpts) {
if ( this.cmbLineRule.getRawValue() === '' )
return;
if (this.Spacing === null) {
var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty();
this.Spacing = properties.get_Spacing();
}
this.Spacing.Line = (this.cmbLineRule.getValue()==c_paragraphLinerule.LINERULE_AUTO) ? field.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(field.getNumberValue());
},
onSpecialSelect: function(combo, record) {
this.CurSpecial = record.value;
if (this.CurSpecial === c_paragraphSpecial.NONE_SPECIAL) {
this.numSpecialBy.setValue(0, true);
}
if (this._changedProps) {
if (this._changedProps.get_Ind()===null || this._changedProps.get_Ind()===undefined)
this._changedProps.put_Ind(new Asc.asc_CParagraphInd());
var value = Common.Utils.Metric.fnRecalcToMM(this.numSpecialBy.getNumberValue());
if (value === 0) {
this.numSpecialBy.setValue(Common.Utils.Metric.fnRecalcFromMM(this._arrSpecial[record.value].defaultValue), true);
value = this._arrSpecial[record.value].defaultValue;
}
if (this.CurSpecial === c_paragraphSpecial.HANGING) {
value = -value;
}
this._changedProps.get_Ind().put_FirstLine(value);
}
},
onFirstLineChange: function(field, newValue, oldValue, eOpts){
if (this._changedProps) {
if (this._changedProps.get_Ind()===null || this._changedProps.get_Ind()===undefined)
this._changedProps.put_Ind(new Asc.asc_CParagraphInd());
var value = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue());
if (this.CurSpecial === c_paragraphSpecial.HANGING) {
value = -value;
} else if (this.CurSpecial === c_paragraphSpecial.NONE_SPECIAL && value > 0 ) {
this.CurSpecial = c_paragraphSpecial.FIRST_LINE;
this.cmbSpecial.setValue(c_paragraphSpecial.FIRST_LINE);
} else if (value === 0) {
this.CurSpecial = c_paragraphSpecial.NONE_SPECIAL;
this.cmbSpecial.setValue(c_paragraphSpecial.NONE_SPECIAL);
}
this._changedProps.get_Ind().put_FirstLine(value);
}
},
onOutlinelevelSelect: function(combo, record) {
if (this._changedProps) {
this._changedProps.put_OutlineLvl(record.value>-1 ? record.value: null);
}
}, },
textTitle: 'Paragraph - Advanced Settings', textTitle: 'Paragraph - Advanced Settings',
strIndentsFirstLine: 'First line',
strIndentsLeftText: 'Left', strIndentsLeftText: 'Left',
strIndentsRightText: 'Right', strIndentsRightText: 'Right',
strParagraphIndents: 'Indents & Placement', strParagraphIndents: 'Indents & Spacing',
strParagraphPosition: 'Placement', strParagraphPosition: 'Placement',
strParagraphFont: 'Font', strParagraphFont: 'Font',
strBreakBefore: 'Page break before', strBreakBefore: 'Page break before',
@ -1217,6 +1487,26 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
tipOuter: 'Set Outer Border Only', tipOuter: 'Set Outer Border Only',
noTabs: 'The specified tabs will appear in this field', noTabs: 'The specified tabs will appear in this field',
textLeader: 'Leader', textLeader: 'Leader',
textNone: 'None' textNone: 'None',
strParagraphLine: 'Line & Page Breaks',
strIndentsSpacingBefore: 'Before',
strIndentsSpacingAfter: 'After',
strIndentsLineSpacing: 'Line Spacing',
txtAutoText: 'Auto',
textAuto: 'Multiple',
textAtLeast: 'At least',
textExact: 'Exactly',
strSomeParagraphSpace: 'Don\'t add interval between paragraphs of the same style',
strIndentsSpecial: 'Special',
textNoneSpecial: '(none)',
textFirstLine: 'First line',
textHanging: 'Hanging',
textJustified: 'Justified',
textBodyText: 'Basic Text',
textLevel: 'Level',
strIndentsOutlinelevel: 'Outline level',
strIndent: 'Indents',
strSpacing: 'Spacing'
}, DE.Views.ParagraphSettingsAdvanced || {})); }, DE.Views.ParagraphSettingsAdvanced || {}));
}); });

View file

@ -231,7 +231,7 @@ define([
this.langMenu = new Common.UI.Menu({ this.langMenu = new Common.UI.Menu({
cls: 'lang-menu', cls: 'lang-menu',
style: 'margin-top:-5px;', style: 'margin-top:-5px;',
restoreHeight: 300, restoreHeight: 285,
itemTemplate: _.template([ itemTemplate: _.template([
'<a id="<%= id %>" tabindex="-1" type="menuitem" style="padding-left: 28px !important;" langval="<%= options.value.value %>">', '<a id="<%= id %>" tabindex="-1" type="menuitem" style="padding-left: 28px !important;" langval="<%= options.value.value %>">',
'<i class="icon <% if (options.spellcheck) { %> img-toolbarmenu spellcheck-lang <% } %>"></i>', '<i class="icon <% if (options.spellcheck) { %> img-toolbarmenu spellcheck-lang <% } %>"></i>',

View file

@ -71,6 +71,7 @@ define([
].join(''); ].join('');
this.options.tpl = _.template(this.template)(this.options); this.options.tpl = _.template(this.template)(this.options);
this.options.formats = this.options.formats || [];
Common.UI.Window.prototype.initialize.call(this, this.options); Common.UI.Window.prototype.initialize.call(this, this.options);
}, },
@ -100,6 +101,7 @@ define([
$window.find('.dlg-btn').on('click', _.bind(this.onBtnClick, this)); $window.find('.dlg-btn').on('click', _.bind(this.onBtnClick, this));
this.options.formats.unshift({value: -1, displayValue: this.txtSameAs});
this.cmbNextStyle = new Common.UI.ComboBox({ this.cmbNextStyle = new Common.UI.ComboBox({
el : $('#id-dlg-style-next-par'), el : $('#id-dlg-style-next-par'),
style : 'width: 100%;', style : 'width: 100%;',
@ -109,8 +111,7 @@ define([
data : this.options.formats, data : this.options.formats,
disabled : (this.options.formats.length==0) disabled : (this.options.formats.length==0)
}); });
if (this.options.formats.length>0) this.cmbNextStyle.setValue(-1);
this.cmbNextStyle.setValue(this.options.formats[0].value);
}, },
show: function() { show: function() {
@ -128,8 +129,8 @@ define([
}, },
getNextStyle: function () { getNextStyle: function () {
var me = this; var val = this.cmbNextStyle.getValue();
return (me.options.formats.length>0) ? me.cmbNextStyle.getValue() : null; return (val!=-1) ? val : null;
}, },
onBtnClick: function(event) { onBtnClick: function(event) {
@ -161,7 +162,8 @@ define([
textHeader: 'Create New Style', textHeader: 'Create New Style',
txtEmpty: 'This field is required', txtEmpty: 'This field is required',
txtNotEmpty: 'Field must not be empty', txtNotEmpty: 'Field must not be empty',
textNextStyle: 'Next paragraph style' textNextStyle: 'Next paragraph style',
txtSameAs: 'Same as created new style'
}, DE.Views.StyleTitleDialog || {})) }, DE.Views.StyleTitleDialog || {}))

View file

@ -2097,15 +2097,17 @@ define([
this.mnuColorSchema.addItem({ this.mnuColorSchema.addItem({
caption: '--' caption: '--'
}); });
} else {
this.mnuColorSchema.addItem({
template: itemTemplate,
cls: 'color-schemas-menu',
colors: schemecolors,
caption: (index < 21) ? (me.SchemeNames[index] || schema.get_name()) : schema.get_name(),
value: index
});
} }
var name = schema.get_name();
this.mnuColorSchema.addItem({
template: itemTemplate,
cls: 'color-schemas-menu',
colors: schemecolors,
caption: (index < 21) ? (me.SchemeNames[index] || name) : name,
value: name,
checkable: true,
toggleGroup: 'menuSchema'
});
}, this); }, this);
}, },

View file

@ -49,12 +49,11 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
DE.Views.WatermarkText = new(function() { DE.Views.WatermarkText = new(function() {
var langs; var langs;
var _get = function() { var _get = function() {
if (langs) return langs;
return langs; };
var _load = function(callback) {
langs = []; langs = [];
try { Common.Utils.loadConfig('resources/watermark/wm-text.json', function (langJson) {
var langJson = Common.Utils.getConfigJson('resources/watermark/wm-text.json');
for (var lang in langJson) { for (var lang in langJson) {
var val = Common.util.LanguageInfo.getLocalLanguageCode(lang); var val = Common.util.LanguageInfo.getLocalLanguageCode(lang);
if (val) { if (val) {
@ -66,14 +65,12 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
if (a.shortname > b.shortname) return 1; if (a.shortname > b.shortname) return 1;
return 0; return 0;
}); });
} callback && callback(langs);
catch (e) { });
}
return langs;
}; };
return { return {
get: _get get: _get,
load: _load
}; };
})(); })();
@ -114,7 +111,8 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
this.textControls = []; this.textControls = [];
this.imageControls = []; this.imageControls = [];
this.fontName = 'Arial'; this.fontName = 'Arial';
this.lang = 'en'; this.lang = {value: 'en', displayValue: 'English'};
this.text = '';
this.isAutoColor = false; this.isAutoColor = false;
this.isImageLoaded = false; this.isImageLoaded = false;
@ -209,6 +207,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
scrollAlwaysVisible: true, scrollAlwaysVisible: true,
data : [] data : []
}).on('selected', _.bind(this.onSelectLang, this)); }).on('selected', _.bind(this.onSelectLang, this));
this.cmbLang.setValue(Common.util.LanguageInfo.getLocalLanguageName(9)[1]);//en
this.textControls.push(this.cmbLang); this.textControls.push(this.cmbLang);
this.cmbText = new Common.UI.ComboBox({ this.cmbText = new Common.UI.ComboBox({
@ -422,18 +421,27 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
}, },
loadLanguages: function() { loadLanguages: function() {
this.languages = DE.Views.WatermarkText.get(); var me = this;
var data = []; var callback = function(languages) {
this.languages && this.languages.forEach(function(item) { var data = [];
data.push({displayValue: item.name, value: item.shortname, wmtext: item.text}); me.languages = languages;
}); me.languages && me.languages.forEach(function(item) {
this.cmbLang.setData(data); data.push({displayValue: item.name, value: item.shortname, wmtext: item.text});
if (data.length) { });
var item = this.cmbLang.store.findWhere({value: this.lang}) || this.cmbLang.store.at(0); if (data.length) {
this.cmbLang.setValue(this.lang); me.cmbLang.setData(data);
this.onSelectLang(this.cmbLang, item.toJSON()); me.cmbLang.setValue(me.lang.displayValue);
} else me.loadWMText(me.lang.value);
this.cmbLang.setDisabled(true); me.cmbLang.setDisabled(!me.radioText.getValue());
me.text && me.cmbText.setValue(me.text);
} else
me.cmbLang.setDisabled(true);
};
var languages = DE.Views.WatermarkText.get();
if (languages)
callback(languages);
else
DE.Views.WatermarkText.load(callback);
}, },
onSelectLang: function(combo, record) { onSelectLang: function(combo, record) {
@ -443,9 +451,11 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
record.wmtext.forEach(function(item) { record.wmtext.forEach(function(item) {
data.push({value: item}); data.push({value: item});
}); });
this.lang = record.value; this.lang = record;
this.cmbText.setData(data); if (data.length>0) {
this.cmbText.setValue(data[0].value); this.cmbText.setData(data);
this.cmbText.setValue(data[0].value);
}
}, },
loadWMText: function(lang) { loadWMText: function(lang) {
@ -463,8 +473,10 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
item && item.get('wmtext').forEach(function(item) { item && item.get('wmtext').forEach(function(item) {
data.push({value: item}); data.push({value: item});
}); });
this.cmbText.setData(data); if (data.length>0) {
this.cmbText.setValue(data[0].value); this.cmbText.setData(data);
this.cmbText.setValue(data[0].value);
}
}, },
insertFromUrl: function() { insertFromUrl: function() {
@ -504,7 +516,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
val = props.get_TextPr(); val = props.get_TextPr();
if (val) { if (val) {
var lang = Common.util.LanguageInfo.getLocalLanguageName(val.get_Lang()); var lang = Common.util.LanguageInfo.getLocalLanguageName(val.get_Lang());
this.lang = lang[0]; this.lang = {value: lang[0], displayValue: lang[1]};
this.cmbLang.setValue(lang[1]); this.cmbLang.setValue(lang[1]);
this.loadWMText(lang[0]); this.loadWMText(lang[0]);
@ -555,6 +567,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
} }
val = props.get_Text(); val = props.get_Text();
val && this.cmbText.setValue(val); val && this.cmbText.setValue(val);
this.text = val || '';
} }
this.disableControls(type); this.disableControls(type);
} }
@ -584,7 +597,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
val.put_Underline(this.btnUnderline.pressed); val.put_Underline(this.btnUnderline.pressed);
val.put_Strikeout(this.btnStrikeout.pressed); val.put_Strikeout(this.btnStrikeout.pressed);
val.put_Lang(parseInt(Common.util.LanguageInfo.getLocalLanguageCode(this.lang))); val.put_Lang(parseInt(Common.util.LanguageInfo.getLocalLanguageCode(this.lang.value)));
var color = new Asc.asc_CColor(); var color = new Asc.asc_CColor();
if (this.isAutoColor) { if (this.isAutoColor) {
@ -610,7 +623,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template',
_.each(this.textControls, function(item) { _.each(this.textControls, function(item) {
item.setDisabled(disable); item.setDisabled(disable);
}); });
this.cmbLang.setDisabled(disable || this.languages.length<1); this.cmbLang.setDisabled(disable || !this.languages || this.languages.length<1);
this.btnOk.setDisabled(type==Asc.c_oAscWatermarkType.Image && !this.isImageLoaded); this.btnOk.setDisabled(type==Asc.c_oAscWatermarkType.Image && !this.isImageLoaded);
}, },

View file

@ -340,7 +340,7 @@
"DE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права. <br> Моля, свържете се с администратора на сървъра за документи.", "DE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права. <br> Моля, свържете се с администратора на сървъра за документи.",
"DE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "DE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Документът не може да бъде редактиран в момента.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Документът не може да бъде редактиран в момента.",
"DE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си. <br> Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа. <br> <br> Намерете повече информация за свързването на сървър за документи <a href = \"https: //api.onlyoffice.com/editors/callback \"target =\" _ blank \"> тук </a>", "DE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.<br>Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа. <br><br>Намерете повече информация за свързването на сървър за документи <a href=\"%1\" target=\"_blank\">тук</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Външна грешка. <br> Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка, в случай че грешката продължава.", "DE.Controllers.Main.errorDatabaseConnection": "Външна грешка. <br> Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка, в случай че грешката продължава.",
"DE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да бъдат дешифрирани.", "DE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да бъдат дешифрирани.",
"DE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.", "DE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.",
@ -659,8 +659,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. <br> За повече информация се обърнете към администратора.", "DE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. <br> За повече информация се обърнете към администратора.",
"DE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. <br> Моля, актуализирайте лиценза си и опреснете страницата.", "DE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. <br> Моля, актуализирайте лиценза си и опреснете страницата.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. <br> За повече информация се свържете с администратора си.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. <br> За повече информация се свържете с администратора си.",
"DE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.", "DE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"DE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.", "DE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"DE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.", "DE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"DE.Controllers.Navigation.txtBeginning": "Начало на документа", "DE.Controllers.Navigation.txtBeginning": "Начало на документа",
"DE.Controllers.Navigation.txtGotoBeginning": "Отидете в началото на документа", "DE.Controllers.Navigation.txtGotoBeginning": "Отидете в началото на документа",

View file

@ -250,7 +250,7 @@
"DE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.<br>Prosím, kontaktujte administrátora vašeho Dokumentového serveru.", "DE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.<br>Prosím, kontaktujte administrátora vašeho Dokumentového serveru.",
"DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Spojení se serverem ztraceno. Dokument nyní nelze upravovat.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Spojení se serverem ztraceno. Dokument nyní nelze upravovat.",
"DE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.<br>When you click the 'OK' button, you will be prompted to download the document.<br><br>Find more information about connecting Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "DE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.<br> Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.<br><br> Více informací o připojení najdete v Dokumentovém serveru <a href=\"%1\" target=\"_blank\">here</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Externí chyba.<br>Chyba spojení s databází. Prosím kontaktujte podporu, pokud chyba přetrvává.", "DE.Controllers.Main.errorDatabaseConnection": "Externí chyba.<br>Chyba spojení s databází. Prosím kontaktujte podporu, pokud chyba přetrvává.",
"DE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.", "DE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.",
"DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1",
@ -360,7 +360,7 @@
"DE.Controllers.Main.warnBrowserIE9": "Aplikace má slabou podporu v IE9. Použíjte IE10 nebo vyšší", "DE.Controllers.Main.warnBrowserIE9": "Aplikace má slabou podporu v IE9. Použíjte IE10 nebo vyšší",
"DE.Controllers.Main.warnBrowserZoom": "Aktuální přiblížení prohlížeče není plně podporováno. Obnovte prosím původní přiblížení stiknem CTRL+0.", "DE.Controllers.Main.warnBrowserZoom": "Aktuální přiblížení prohlížeče není plně podporováno. Obnovte prosím původní přiblížení stiknem CTRL+0.",
"DE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela.<br>Prosím, aktualizujte vaší licenci a obnovte stránku.", "DE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela.<br>Prosím, aktualizujte vaší licenci a obnovte stránku.",
"DE.Controllers.Main.warnNoLicense": "Používáte verzi open source ONLYOFFICE. Verze má omezení pro souběžné připojení k dokumentovému serveru (20 připojení najednou).<br>Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.", "DE.Controllers.Main.warnNoLicense": "Používáte verzi open source %1. Verze má omezení pro souběžné připojení k dokumentovému serveru (20 připojení najednou).<br>Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.",
"DE.Controllers.Main.warnProcessRightsChange": "Bylo Vám odebráno právo upravovat tento soubor", "DE.Controllers.Main.warnProcessRightsChange": "Bylo Vám odebráno právo upravovat tento soubor",
"DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked", "DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked",
"DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled", "DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled",

View file

@ -340,7 +340,7 @@
"DE.Controllers.Main.errorAccessDeny": "Sie haben versucht die Änderungen im Dokument, zu dem Sie keine Berechtigungen haben, vorzunehemen.<br>Wenden Sie sich an Ihren Serveradministrator.", "DE.Controllers.Main.errorAccessDeny": "Sie haben versucht die Änderungen im Dokument, zu dem Sie keine Berechtigungen haben, vorzunehemen.<br>Wenden Sie sich an Ihren Serveradministrator.",
"DE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "DE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Das Dokument kann momentan nicht bearbeitet werden.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Das Dokument kann momentan nicht bearbeitet werden.",
"DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.<br>Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.<br><br>Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">hier</a>", "DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.<br>Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.<br><br>Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie <a href=\"%1\" target=\"_blank\">hier</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.<br>Fehler beim Verbinden zur Datenbank. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.", "DE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.<br>Fehler beim Verbinden zur Datenbank. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.",
"DE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", "DE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.",
"DE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", "DE.Controllers.Main.errorDataRange": "Falscher Datenbereich.",
@ -659,8 +659,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.", "DE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"DE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen.<br>Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.", "DE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen.<br>Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Die Anzahl der gleichzeitigen Benutzer wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Die Anzahl der gleichzeitigen Benutzer wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"DE.Controllers.Main.warnNoLicense": "Diese Version von ONLYOFFICE Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver.<br>Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.", "DE.Controllers.Main.warnNoLicense": "Diese Version von %1 Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver.<br>Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
"DE.Controllers.Main.warnNoLicenseUsers": "Diese Version von ONLYOFFICE Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. <br> Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.", "DE.Controllers.Main.warnNoLicenseUsers": "Diese Version von %1 Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. <br> Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
"DE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.", "DE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.",
"DE.Controllers.Navigation.txtBeginning": "Anfang des Dokuments", "DE.Controllers.Navigation.txtBeginning": "Anfang des Dokuments",
"DE.Controllers.Navigation.txtGotoBeginning": "Zum Anfang des Dokuments übergehnen", "DE.Controllers.Navigation.txtGotoBeginning": "Zum Anfang des Dokuments übergehnen",

View file

@ -326,10 +326,10 @@
"DE.Controllers.LeftMenu.textNoTextFound": "The data you have been searching for could not be found. Please adjust your search options.", "DE.Controllers.LeftMenu.textNoTextFound": "The data you have been searching for could not be found. Please adjust your search options.",
"DE.Controllers.LeftMenu.textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "DE.Controllers.LeftMenu.textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"DE.Controllers.LeftMenu.textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "DE.Controllers.LeftMenu.textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"DE.Controllers.LeftMenu.txtCompatible": "The document will be saved to the new format. It will allow to use all the editor features, but might affect the document layout.<br>Use the 'Compatibility' option of the advanced settings if you want to make the files compatible with older MS Word versions.",
"DE.Controllers.LeftMenu.txtUntitled": "Untitled", "DE.Controllers.LeftMenu.txtUntitled": "Untitled",
"DE.Controllers.LeftMenu.warnDownloadAs": "If you continue saving in this format all features except the text will be lost.<br>Are you sure you want to continue?", "DE.Controllers.LeftMenu.warnDownloadAs": "If you continue saving in this format all features except the text will be lost.<br>Are you sure you want to continue?",
"DE.Controllers.LeftMenu.warnDownloadAsRTF": "If you continue saving in this format some of the formatting might be lost.<br>Are you sure you want to continue?", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "If you continue saving in this format some of the formatting might be lost.<br>Are you sure you want to continue?",
"DE.Controllers.LeftMenu.txtCompatible": "The document will be saved to the new format. It will allow to use all the editor features, but might affect the document layout.<br>Use the 'Compatibility' option of the advanced settings if you want to make the files compatible with older MS Word versions.",
"DE.Controllers.Main.applyChangesTextText": "Loading the changes...", "DE.Controllers.Main.applyChangesTextText": "Loading the changes...",
"DE.Controllers.Main.applyChangesTitleText": "Loading the Changes", "DE.Controllers.Main.applyChangesTitleText": "Loading the Changes",
"DE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.", "DE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.",
@ -1100,7 +1100,6 @@
"DE.Views.DocumentHolder.hyperlinkText": "Hyperlink", "DE.Views.DocumentHolder.hyperlinkText": "Hyperlink",
"DE.Views.DocumentHolder.ignoreAllSpellText": "Ignore All", "DE.Views.DocumentHolder.ignoreAllSpellText": "Ignore All",
"DE.Views.DocumentHolder.ignoreSpellText": "Ignore", "DE.Views.DocumentHolder.ignoreSpellText": "Ignore",
"DE.Views.DocumentHolder.toDictionaryText": "Add to Dictionary",
"DE.Views.DocumentHolder.imageText": "Image Advanced Settings", "DE.Views.DocumentHolder.imageText": "Image Advanced Settings",
"DE.Views.DocumentHolder.insertColumnLeftText": "Column Left", "DE.Views.DocumentHolder.insertColumnLeftText": "Column Left",
"DE.Views.DocumentHolder.insertColumnRightText": "Column Right", "DE.Views.DocumentHolder.insertColumnRightText": "Column Right",
@ -1190,6 +1189,7 @@
"DE.Views.DocumentHolder.textUpdateTOC": "Refresh table of contents", "DE.Views.DocumentHolder.textUpdateTOC": "Refresh table of contents",
"DE.Views.DocumentHolder.textWrap": "Wrapping Style", "DE.Views.DocumentHolder.textWrap": "Wrapping Style",
"DE.Views.DocumentHolder.tipIsLocked": "This element is currently being edited by another user.", "DE.Views.DocumentHolder.tipIsLocked": "This element is currently being edited by another user.",
"DE.Views.DocumentHolder.toDictionaryText": "Add to Dictionary",
"DE.Views.DocumentHolder.txtAddBottom": "Add bottom border", "DE.Views.DocumentHolder.txtAddBottom": "Add bottom border",
"DE.Views.DocumentHolder.txtAddFractionBar": "Add fraction bar", "DE.Views.DocumentHolder.txtAddFractionBar": "Add fraction bar",
"DE.Views.DocumentHolder.txtAddHor": "Add horizontal line", "DE.Views.DocumentHolder.txtAddHor": "Add horizontal line",
@ -1252,6 +1252,7 @@
"DE.Views.DocumentHolder.txtOverwriteCells": "Overwrite cells", "DE.Views.DocumentHolder.txtOverwriteCells": "Overwrite cells",
"DE.Views.DocumentHolder.txtPasteSourceFormat": "Keep source formatting", "DE.Views.DocumentHolder.txtPasteSourceFormat": "Keep source formatting",
"DE.Views.DocumentHolder.txtPressLink": "Press CTRL and click link", "DE.Views.DocumentHolder.txtPressLink": "Press CTRL and click link",
"DE.Views.DocumentHolder.txtPrintSelection": "Print Selection",
"DE.Views.DocumentHolder.txtRemFractionBar": "Remove fraction bar", "DE.Views.DocumentHolder.txtRemFractionBar": "Remove fraction bar",
"DE.Views.DocumentHolder.txtRemLimit": "Remove limit", "DE.Views.DocumentHolder.txtRemLimit": "Remove limit",
"DE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character", "DE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character",
@ -1277,7 +1278,6 @@
"DE.Views.DocumentHolder.txtUngroup": "Ungroup", "DE.Views.DocumentHolder.txtUngroup": "Ungroup",
"DE.Views.DocumentHolder.updateStyleText": "Update %1 style", "DE.Views.DocumentHolder.updateStyleText": "Update %1 style",
"DE.Views.DocumentHolder.vertAlignText": "Vertical Alignment", "DE.Views.DocumentHolder.vertAlignText": "Vertical Alignment",
"DE.Views.DocumentHolder.txtPrintSelection": "Print Selection",
"DE.Views.DropcapSettingsAdvanced.cancelButtonText": "Cancel", "DE.Views.DropcapSettingsAdvanced.cancelButtonText": "Cancel",
"DE.Views.DropcapSettingsAdvanced.okButtonText": "OK", "DE.Views.DropcapSettingsAdvanced.okButtonText": "OK",
"DE.Views.DropcapSettingsAdvanced.strBorders": "Borders & Fill", "DE.Views.DropcapSettingsAdvanced.strBorders": "Borders & Fill",
@ -1406,9 +1406,11 @@
"DE.Views.FileMenuPanels.Settings.textAlignGuides": "Alignment Guides", "DE.Views.FileMenuPanels.Settings.textAlignGuides": "Alignment Guides",
"DE.Views.FileMenuPanels.Settings.textAutoRecover": "Autorecover", "DE.Views.FileMenuPanels.Settings.textAutoRecover": "Autorecover",
"DE.Views.FileMenuPanels.Settings.textAutoSave": "Autosave", "DE.Views.FileMenuPanels.Settings.textAutoSave": "Autosave",
"DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibility",
"DE.Views.FileMenuPanels.Settings.textDisabled": "Disabled", "DE.Views.FileMenuPanels.Settings.textDisabled": "Disabled",
"DE.Views.FileMenuPanels.Settings.textForceSave": "Save to Server", "DE.Views.FileMenuPanels.Settings.textForceSave": "Save to Server",
"DE.Views.FileMenuPanels.Settings.textMinute": "Every Minute", "DE.Views.FileMenuPanels.Settings.textMinute": "Every Minute",
"DE.Views.FileMenuPanels.Settings.textOldVersions": "Make the files compatible with older MS Word versions when saved as DOCX",
"DE.Views.FileMenuPanels.Settings.txtAll": "View All", "DE.Views.FileMenuPanels.Settings.txtAll": "View All",
"DE.Views.FileMenuPanels.Settings.txtCm": "Centimeter", "DE.Views.FileMenuPanels.Settings.txtCm": "Centimeter",
"DE.Views.FileMenuPanels.Settings.txtFitPage": "Fit to Page", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Fit to Page",
@ -1423,8 +1425,6 @@
"DE.Views.FileMenuPanels.Settings.txtPt": "Point", "DE.Views.FileMenuPanels.Settings.txtPt": "Point",
"DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Spell Checking", "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Spell Checking",
"DE.Views.FileMenuPanels.Settings.txtWin": "as Windows", "DE.Views.FileMenuPanels.Settings.txtWin": "as Windows",
"DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibility",
"DE.Views.FileMenuPanels.Settings.textOldVersions": "Make the files compatible with older MS Word versions when saved as DOCX",
"DE.Views.HeaderFooterSettings.textBottomCenter": "Bottom center", "DE.Views.HeaderFooterSettings.textBottomCenter": "Bottom center",
"DE.Views.HeaderFooterSettings.textBottomLeft": "Bottom left", "DE.Views.HeaderFooterSettings.textBottomLeft": "Bottom left",
"DE.Views.HeaderFooterSettings.textBottomPage": "Bottom of Page", "DE.Views.HeaderFooterSettings.textBottomPage": "Bottom of Page",
@ -1708,34 +1708,53 @@
"DE.Views.ParagraphSettingsAdvanced.strBorders": "Borders & Fill", "DE.Views.ParagraphSettingsAdvanced.strBorders": "Borders & Fill",
"DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Page break before", "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Page break before",
"DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough", "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough",
"DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line", "DE.Views.ParagraphSettingsAdvanced.strIndent": "Indents",
"del_DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line",
"DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left",
"DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Line Spacing",
"DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Outline level",
"DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "After",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Before",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Special",
"DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Keep lines together", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Keep lines together",
"DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Keep with next", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Keep with next",
"DE.Views.ParagraphSettingsAdvanced.strMargins": "Paddings", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Paddings",
"DE.Views.ParagraphSettingsAdvanced.strOrphan": "Orphan control", "DE.Views.ParagraphSettingsAdvanced.strOrphan": "Orphan control",
"DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font", "DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font",
"DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indents & Placement", "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indents & Spacing",
"DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Line & Page Breaks",
"DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Placement", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Placement",
"DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Small caps", "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Small caps",
"DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Don't add interval between paragraphs of the same style",
"DE.Views.ParagraphSettingsAdvanced.strSpacing": "Spacing",
"DE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough", "DE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough",
"DE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript",
"DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript",
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabs", "DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabs",
"DE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment",
"DE.Views.ParagraphSettingsAdvanced.textAtLeast": "At least",
"DE.Views.ParagraphSettingsAdvanced.textAuto": "Multiple",
"DE.Views.ParagraphSettingsAdvanced.textBackColor": "Background Color", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Background Color",
"DE.Views.ParagraphSettingsAdvanced.textBodyText": "Basic Text",
"DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Border Color", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Border Color",
"DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Click on diagram or use buttons to select borders and apply chosen style to them", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Click on diagram or use buttons to select borders and apply chosen style to them",
"DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Border Size", "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Border Size",
"DE.Views.ParagraphSettingsAdvanced.textBottom": "Bottom", "DE.Views.ParagraphSettingsAdvanced.textBottom": "Bottom",
"DE.Views.ParagraphSettingsAdvanced.textCentered": "Centered",
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing", "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing",
"DE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab", "DE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab",
"DE.Views.ParagraphSettingsAdvanced.textEffects": "Effects", "DE.Views.ParagraphSettingsAdvanced.textEffects": "Effects",
"DE.Views.ParagraphSettingsAdvanced.textExact": "Exactly",
"DE.Views.ParagraphSettingsAdvanced.textFirstLine": "First line",
"DE.Views.ParagraphSettingsAdvanced.textHanging": "Hanging",
"DE.Views.ParagraphSettingsAdvanced.textJustified": "Justified",
"DE.Views.ParagraphSettingsAdvanced.textLeader": "Leader", "DE.Views.ParagraphSettingsAdvanced.textLeader": "Leader",
"DE.Views.ParagraphSettingsAdvanced.textLeft": "Left", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Left",
"DE.Views.ParagraphSettingsAdvanced.textLevel": "Level",
"DE.Views.ParagraphSettingsAdvanced.textNewColor": "Add New Custom Color", "DE.Views.ParagraphSettingsAdvanced.textNewColor": "Add New Custom Color",
"DE.Views.ParagraphSettingsAdvanced.textNone": "None", "DE.Views.ParagraphSettingsAdvanced.textNone": "None",
"DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(none)",
"DE.Views.ParagraphSettingsAdvanced.textPosition": "Position", "DE.Views.ParagraphSettingsAdvanced.textPosition": "Position",
"DE.Views.ParagraphSettingsAdvanced.textRemove": "Remove", "DE.Views.ParagraphSettingsAdvanced.textRemove": "Remove",
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All", "DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All",
@ -1756,6 +1775,7 @@
"DE.Views.ParagraphSettingsAdvanced.tipOuter": "Set outer border only", "DE.Views.ParagraphSettingsAdvanced.tipOuter": "Set outer border only",
"DE.Views.ParagraphSettingsAdvanced.tipRight": "Set right border only", "DE.Views.ParagraphSettingsAdvanced.tipRight": "Set right border only",
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Set top border only", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Set top border only",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "No borders", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "No borders",
"DE.Views.RightMenu.txtChartSettings": "Chart settings", "DE.Views.RightMenu.txtChartSettings": "Chart settings",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Header and footer settings", "DE.Views.RightMenu.txtHeaderFooterSettings": "Header and footer settings",
@ -1772,6 +1792,7 @@
"DE.Views.ShapeSettings.strFill": "Fill", "DE.Views.ShapeSettings.strFill": "Fill",
"DE.Views.ShapeSettings.strForeground": "Foreground color", "DE.Views.ShapeSettings.strForeground": "Foreground color",
"DE.Views.ShapeSettings.strPattern": "Pattern", "DE.Views.ShapeSettings.strPattern": "Pattern",
"DE.Views.ShapeSettings.strShadow": "Show shadow",
"DE.Views.ShapeSettings.strSize": "Size", "DE.Views.ShapeSettings.strSize": "Size",
"DE.Views.ShapeSettings.strStroke": "Stroke", "DE.Views.ShapeSettings.strStroke": "Stroke",
"DE.Views.ShapeSettings.strTransparency": "Opacity", "DE.Views.ShapeSettings.strTransparency": "Opacity",
@ -1823,7 +1844,6 @@
"DE.Views.ShapeSettings.txtTight": "Tight", "DE.Views.ShapeSettings.txtTight": "Tight",
"DE.Views.ShapeSettings.txtTopAndBottom": "Top and bottom", "DE.Views.ShapeSettings.txtTopAndBottom": "Top and bottom",
"DE.Views.ShapeSettings.txtWood": "Wood", "DE.Views.ShapeSettings.txtWood": "Wood",
"DE.Views.ShapeSettings.strShadow": "Show shadow",
"DE.Views.SignatureSettings.notcriticalErrorTitle": "Warning", "DE.Views.SignatureSettings.notcriticalErrorTitle": "Warning",
"DE.Views.SignatureSettings.strDelete": "Remove Signature", "DE.Views.SignatureSettings.strDelete": "Remove Signature",
"DE.Views.SignatureSettings.strDetails": "Signature Details", "DE.Views.SignatureSettings.strDetails": "Signature Details",
@ -1853,6 +1873,7 @@
"DE.Views.StyleTitleDialog.textTitle": "Title", "DE.Views.StyleTitleDialog.textTitle": "Title",
"DE.Views.StyleTitleDialog.txtEmpty": "This field is required", "DE.Views.StyleTitleDialog.txtEmpty": "This field is required",
"DE.Views.StyleTitleDialog.txtNotEmpty": "Field must not be empty", "DE.Views.StyleTitleDialog.txtNotEmpty": "Field must not be empty",
"DE.Views.StyleTitleDialog.txtSameAs": "Same as created new style",
"DE.Views.TableFormulaDialog.cancelButtonText": "Cancel", "DE.Views.TableFormulaDialog.cancelButtonText": "Cancel",
"DE.Views.TableFormulaDialog.okButtonText": "OK", "DE.Views.TableFormulaDialog.okButtonText": "OK",
"DE.Views.TableFormulaDialog.textBookmark": "Paste Bookmark", "DE.Views.TableFormulaDialog.textBookmark": "Paste Bookmark",

View file

@ -341,7 +341,7 @@
"DE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.<br> Por favor, contacte con el Administrador del Servidor de Documentos.", "DE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.<br> Por favor, contacte con el Administrador del Servidor de Documentos.",
"DE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto", "DE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Se ha perdido la conexión con servidor. El documento no puede ser editado ahora.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Se ha perdido la conexión con servidor. El documento no puede ser editado ahora.",
"DE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de la conexión o póngase en contacto con su administrador.<br>Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.<br><br>Encuentre más información acerca de conexión de Servidor de Documentos <a href=\"%1\" target=\"_blank\">aquí</a>", "DE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de conexión o póngase en contacto con su administrador.<br>Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.<br><br>Encuentre más información acerca de la conexión de Servidor de Documentos <a href=\"%1\" target=\"_blank\">aquí</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Error externo.<br>Error de conexión de base de datos. Por favor póngase en contacto con soporte si el error se mantiene.", "DE.Controllers.Main.errorDatabaseConnection": "Error externo.<br>Error de conexión de base de datos. Por favor póngase en contacto con soporte si el error se mantiene.",
"DE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", "DE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.",
"DE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.", "DE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.",

View file

@ -341,7 +341,7 @@
"DE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.", "DE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.",
"DE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte", "DE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Connexion au serveur perdue. Le document ne peut être modifié en ce moment.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Connexion au serveur perdue. Le document ne peut être modifié en ce moment.",
"DE.Controllers.Main.errorConnectToServer": "Le document n'a pas pu être enregistré. Veuillez vérifier les paramètres de connexion ou contactez votre administrateur.<br>Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.<br><br>Trouvez plus d'informations sur la connexion de Document Server<a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">ici</a>", "DE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.<br>Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.<br><br>Trouvez plus d'informations sur la connexion au Serveur de Documents <a href=\"%1\" target=\"_blank\">ici</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Erreur externe.<br>Erreur de connexion à la base de données. Si l'erreur persiste veillez contactez l'assistance technique.", "DE.Controllers.Main.errorDatabaseConnection": "Erreur externe.<br>Erreur de connexion à la base de données. Si l'erreur persiste veillez contactez l'assistance technique.",
"DE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.", "DE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.",
"DE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", "DE.Controllers.Main.errorDataRange": "Plage de données incorrecte.",
@ -660,8 +660,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées a été dépassée et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.", "DE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées a été dépassée et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.",
"DE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.<br>Veuillez mettre à jour votre licence et actualisez la page.", "DE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.<br>Veuillez mettre à jour votre licence et actualisez la page.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Le nombre d'utilisateurs simultanés a été dépassé et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Le nombre d'utilisateurs simultanés a été dépassé et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.",
"DE.Controllers.Main.warnNoLicense": "Cette version de ONLYOFFICE Editors a certaines limitations pour les connexions simultanées au serveur de documents.<br>Si vous avez besoin de plus, considérez la possibilité de mettre à jour votre licence actuelle ou d'acheter une licence commerciale.", "DE.Controllers.Main.warnNoLicense": "Cette version de %1 editors a certaines limitations pour les connexions simultanées au serveur de documents.<br>Si vous avez besoin de plus, considérez la possibilité de mettre à jour votre licence actuelle ou d'acheter une licence commerciale.",
"DE.Controllers.Main.warnNoLicenseUsers": "Cette version de ONLYOFFICE Editors a certaines limitations pour les utilisateurs simultanés.<br>Si vous avez besoin de plus, considérez la possibilité de mettre à jour votre licence actuelle ou d'acheter une licence commerciale.", "DE.Controllers.Main.warnNoLicenseUsers": "Cette version de %1 editors a certaines limitations pour les utilisateurs simultanés.<br>Si vous avez besoin de plus, considérez la possibilité de mettre à jour votre licence actuelle ou d'acheter une licence commerciale.",
"DE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.", "DE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.",
"DE.Controllers.Navigation.txtBeginning": "Début du document", "DE.Controllers.Navigation.txtBeginning": "Début du document",
"DE.Controllers.Navigation.txtGotoBeginning": "Aller au début du document", "DE.Controllers.Navigation.txtGotoBeginning": "Aller au début du document",

View file

@ -333,7 +333,7 @@
"DE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.<br>Vegye fel a kapcsolatot a Document Server adminisztrátorával.", "DE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.<br>Vegye fel a kapcsolatot a Document Server adminisztrátorával.",
"DE.Controllers.Main.errorBadImageUrl": "Hibás kép URL", "DE.Controllers.Main.errorBadImageUrl": "Hibás kép URL",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Elveszett a kapcsolat a szerverrel. A dokumentum jelenleg nem szerkeszthető.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Elveszett a kapcsolat a szerverrel. A dokumentum jelenleg nem szerkeszthető.",
"DE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.<br>Ha az 'OK'-ra kattint letöltheti a dokumentumot.<br><br>Bővebb információk a Dokumentum Szerverhez kapcsolódásról <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">itt</a> találhat.", "DE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.<br>Ha az 'OK'-ra kattint letöltheti a dokumentumot.<br><br>Bővebb információk a Dokumentum Szerverhez kapcsolódásról <a href=\"%1\" target=\"_blank\">itt</a> találhat.",
"DE.Controllers.Main.errorDatabaseConnection": "Külső hiba.<br>Adatbázis-kapcsolati hiba. Ha a hiba továbbra is fennáll, lépjen kapcsolatba a rendszer támogatással.", "DE.Controllers.Main.errorDatabaseConnection": "Külső hiba.<br>Adatbázis-kapcsolati hiba. Ha a hiba továbbra is fennáll, lépjen kapcsolatba a rendszer támogatással.",
"DE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.", "DE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.",
"DE.Controllers.Main.errorDataRange": "Hibás adattartomány.", "DE.Controllers.Main.errorDataRange": "Hibás adattartomány.",
@ -583,8 +583,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.", "DE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"DE.Controllers.Main.warnLicenseExp": "A licence lejárt.<br>Kérem frissítse a licencét, majd az oldalt.", "DE.Controllers.Main.warnLicenseExp": "A licence lejárt.<br>Kérem frissítse a licencét, majd az oldalt.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "A párhuzamos felhasználók száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.", "DE.Controllers.Main.warnLicenseUsersExceeded": "A párhuzamos felhasználók száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"DE.Controllers.Main.warnNoLicense": "Ez a verziója az ONLYOFFICE Szerkesztőnek bizonyos limitációkat tartalmaz párhuzamos kapcsolódások terén a dokumentum szerverhez.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.", "DE.Controllers.Main.warnNoLicense": "Ez a verziója az %1 szerkesztőnek bizonyos limitációkat tartalmaz párhuzamos kapcsolódások terén a dokumentum szerverhez.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
"DE.Controllers.Main.warnNoLicenseUsers": "Ez a verziója az ONLYOFFICE Szerkesztőnek bizonyos limitációkat tartalmaz párhuzamosan kapcsolódott felhasználók terén.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.", "DE.Controllers.Main.warnNoLicenseUsers": "Ez a verziója az %1 szerkesztőnek bizonyos limitációkat tartalmaz párhuzamosan kapcsolódott felhasználók terén.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
"DE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.", "DE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.",
"DE.Controllers.Navigation.txtBeginning": "Dokumentum eleje", "DE.Controllers.Navigation.txtBeginning": "Dokumentum eleje",
"DE.Controllers.Navigation.txtGotoBeginning": "Ugorj a dokumentum elejére", "DE.Controllers.Navigation.txtGotoBeginning": "Ugorj a dokumentum elejére",

View file

@ -326,6 +326,7 @@
"DE.Controllers.LeftMenu.textNoTextFound": "I dati da cercare non sono stati trovati. Modifica i parametri di ricerca.", "DE.Controllers.LeftMenu.textNoTextFound": "I dati da cercare non sono stati trovati. Modifica i parametri di ricerca.",
"DE.Controllers.LeftMenu.textReplaceSkipped": "La sostituzione è stata effettuata. {0} occorrenze sono state saltate.", "DE.Controllers.LeftMenu.textReplaceSkipped": "La sostituzione è stata effettuata. {0} occorrenze sono state saltate.",
"DE.Controllers.LeftMenu.textReplaceSuccess": "La ricerca è stata effettuata. Occorrenze sostituite: {0}", "DE.Controllers.LeftMenu.textReplaceSuccess": "La ricerca è stata effettuata. Occorrenze sostituite: {0}",
"DE.Controllers.LeftMenu.txtCompatible": "Il documento verrà salvato nel nuovo formato questo consentirà di utilizzare tutte le funzionalità dell'editor, ma potrebbe influire sul layout del documento. <br> Utilizzare l'opzione \"Compatibilità\" nelle impostazioni avanzate se si desidera rendere i file compatibili con le versioni precedenti di MS Word.",
"DE.Controllers.LeftMenu.txtUntitled": "Senza titolo", "DE.Controllers.LeftMenu.txtUntitled": "Senza titolo",
"DE.Controllers.LeftMenu.warnDownloadAs": "Se continua a salvare in questo formato tutte le caratteristiche tranne il testo saranno perse.<br>Sei sicuro di voler continuare?", "DE.Controllers.LeftMenu.warnDownloadAs": "Se continua a salvare in questo formato tutte le caratteristiche tranne il testo saranno perse.<br>Sei sicuro di voler continuare?",
"DE.Controllers.LeftMenu.warnDownloadAsRTF": "Se si continua a salvare in questo formato, parte della formattazione potrebbe andare persa.<br>Vuoi continuare?", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Se si continua a salvare in questo formato, parte della formattazione potrebbe andare persa.<br>Vuoi continuare?",
@ -342,7 +343,7 @@
"DE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.<br>Si prega di contattare l'amministratore del Server dei Documenti.", "DE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.<br>Si prega di contattare l'amministratore del Server dei Documenti.",
"DE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto", "DE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Connessione al server persa. Impossibile modificare il documento.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Connessione al server persa. Impossibile modificare il documento.",
"DE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.<br>Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.<br><br>Per maggiori dettagli sulla connessione al Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">clicca qui</a>", "DE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.<br>Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.<br><br>Per maggiori dettagli sulla connessione al Document Server <a href=\"%1\" target=\"_blank\">clicca qui</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Errore esterno.<br>Errore di connessione a banca dati. Si prega di contattare l'assistenza tecnica nel caso in cui l'errore persiste.", "DE.Controllers.Main.errorDatabaseConnection": "Errore esterno.<br>Errore di connessione a banca dati. Si prega di contattare l'assistenza tecnica nel caso in cui l'errore persiste.",
"DE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.", "DE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.",
"DE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.", "DE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.",
@ -661,8 +662,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Contattare l'amministratore per ulteriori informazioni.", "DE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Contattare l'amministratore per ulteriori informazioni.",
"DE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta.<br>Si prega di aggiornare la licenza e ricaricare la pagina.", "DE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta.<br>Si prega di aggiornare la licenza e ricaricare la pagina.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Il numero di utenti simultaei è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Per ulteriori informazioni, contattare l'amministratore.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Il numero di utenti simultaei è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Per ulteriori informazioni, contattare l'amministratore.",
"DE.Controllers.Main.warnNoLicense": "Questa versione di ONLYOFFICE® Editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.", "DE.Controllers.Main.warnNoLicense": "Questa versione di %1 editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
"DE.Controllers.Main.warnNoLicenseUsers": "Questa versione di ONLYOFFICE® Editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.", "DE.Controllers.Main.warnNoLicenseUsers": "Questa versione di %1 editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
"DE.Controllers.Main.warnProcessRightsChange": "Ci stato negato il diritto alla modifica del file.", "DE.Controllers.Main.warnProcessRightsChange": "Ci stato negato il diritto alla modifica del file.",
"DE.Controllers.Navigation.txtBeginning": "Inizio del documento", "DE.Controllers.Navigation.txtBeginning": "Inizio del documento",
"DE.Controllers.Navigation.txtGotoBeginning": "Vai all'inizio del documento", "DE.Controllers.Navigation.txtGotoBeginning": "Vai all'inizio del documento",
@ -1188,6 +1189,7 @@
"DE.Views.DocumentHolder.textUpdateTOC": "Aggiorna Sommario", "DE.Views.DocumentHolder.textUpdateTOC": "Aggiorna Sommario",
"DE.Views.DocumentHolder.textWrap": "Stile di disposizione testo", "DE.Views.DocumentHolder.textWrap": "Stile di disposizione testo",
"DE.Views.DocumentHolder.tipIsLocked": "Questo elemento sta modificando da un altro utente.", "DE.Views.DocumentHolder.tipIsLocked": "Questo elemento sta modificando da un altro utente.",
"DE.Views.DocumentHolder.toDictionaryText": "Aggiungi al Dizionario",
"DE.Views.DocumentHolder.txtAddBottom": "Aggiungi bordo inferiore", "DE.Views.DocumentHolder.txtAddBottom": "Aggiungi bordo inferiore",
"DE.Views.DocumentHolder.txtAddFractionBar": "Aggiungi barra di frazione", "DE.Views.DocumentHolder.txtAddFractionBar": "Aggiungi barra di frazione",
"DE.Views.DocumentHolder.txtAddHor": "Aggiungi linea orizzontale", "DE.Views.DocumentHolder.txtAddHor": "Aggiungi linea orizzontale",
@ -1250,6 +1252,7 @@
"DE.Views.DocumentHolder.txtOverwriteCells": "Sovrascrivi celle", "DE.Views.DocumentHolder.txtOverwriteCells": "Sovrascrivi celle",
"DE.Views.DocumentHolder.txtPasteSourceFormat": "Mantieni la formattazione sorgente", "DE.Views.DocumentHolder.txtPasteSourceFormat": "Mantieni la formattazione sorgente",
"DE.Views.DocumentHolder.txtPressLink": "Premi CTRL e clicca sul collegamento", "DE.Views.DocumentHolder.txtPressLink": "Premi CTRL e clicca sul collegamento",
"DE.Views.DocumentHolder.txtPrintSelection": "Stampa Selezione",
"DE.Views.DocumentHolder.txtRemFractionBar": "Rimuovi la barra di frazione", "DE.Views.DocumentHolder.txtRemFractionBar": "Rimuovi la barra di frazione",
"DE.Views.DocumentHolder.txtRemLimit": "Remove limit", "DE.Views.DocumentHolder.txtRemLimit": "Remove limit",
"DE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character", "DE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character",
@ -1403,9 +1406,11 @@
"DE.Views.FileMenuPanels.Settings.textAlignGuides": "Guide di allineamento", "DE.Views.FileMenuPanels.Settings.textAlignGuides": "Guide di allineamento",
"DE.Views.FileMenuPanels.Settings.textAutoRecover": "Recupero automatico", "DE.Views.FileMenuPanels.Settings.textAutoRecover": "Recupero automatico",
"DE.Views.FileMenuPanels.Settings.textAutoSave": "Salvataggio automatico", "DE.Views.FileMenuPanels.Settings.textAutoSave": "Salvataggio automatico",
"DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibilità",
"DE.Views.FileMenuPanels.Settings.textDisabled": "Disattivato", "DE.Views.FileMenuPanels.Settings.textDisabled": "Disattivato",
"DE.Views.FileMenuPanels.Settings.textForceSave": "Salva sul server", "DE.Views.FileMenuPanels.Settings.textForceSave": "Salva sul server",
"DE.Views.FileMenuPanels.Settings.textMinute": "Ogni minuto", "DE.Views.FileMenuPanels.Settings.textMinute": "Ogni minuto",
"DE.Views.FileMenuPanels.Settings.textOldVersions": "Rendi i file compatibili con le versioni precedenti di MS Word quando vengono salvati come DOCX",
"DE.Views.FileMenuPanels.Settings.txtAll": "Tutte", "DE.Views.FileMenuPanels.Settings.txtAll": "Tutte",
"DE.Views.FileMenuPanels.Settings.txtCm": "Centimetro", "DE.Views.FileMenuPanels.Settings.txtCm": "Centimetro",
"DE.Views.FileMenuPanels.Settings.txtFitPage": "Adatta alla pagina", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Adatta alla pagina",
@ -1703,34 +1708,53 @@
"DE.Views.ParagraphSettingsAdvanced.strBorders": "Bordi e riempimento", "DE.Views.ParagraphSettingsAdvanced.strBorders": "Bordi e riempimento",
"DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Anteponi interruzione", "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Anteponi interruzione",
"DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio", "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio",
"DE.Views.ParagraphSettingsAdvanced.strIndent": "Rientri",
"DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Prima riga", "DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Prima riga",
"DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "A sinistra", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "A sinistra",
"DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Interlinea",
"DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Livello del contorno",
"DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "A destra", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "A destra",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Dopo",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Prima",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Speciale",
"DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Mantieni assieme le righe", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Mantieni assieme le righe",
"DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Mantieni con il successivo", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Mantieni con il successivo",
"DE.Views.ParagraphSettingsAdvanced.strMargins": "Spaziatura interna", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Spaziatura interna",
"DE.Views.ParagraphSettingsAdvanced.strOrphan": "Controllo righe isolate", "DE.Views.ParagraphSettingsAdvanced.strOrphan": "Controllo righe isolate",
"DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Tipo di carattere", "DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Tipo di carattere",
"DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Rientri e posizionamento", "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Rientri e spaziatura",
"DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Interruzioni di riga e di pagina",
"DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Posizionamento", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Posizionamento",
"DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Minuscole", "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Minuscole",
"DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Non aggiungere intervallo tra paragrafi dello stesso stile",
"DE.Views.ParagraphSettingsAdvanced.strSpacing": "Spaziatura",
"DE.Views.ParagraphSettingsAdvanced.strStrike": "Barrato", "DE.Views.ParagraphSettingsAdvanced.strStrike": "Barrato",
"DE.Views.ParagraphSettingsAdvanced.strSubscript": "Pedice", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Pedice",
"DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Apice", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Apice",
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulazione", "DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulazione",
"DE.Views.ParagraphSettingsAdvanced.textAlign": "Allineamento", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Allineamento",
"DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Minima",
"DE.Views.ParagraphSettingsAdvanced.textAuto": "Multiplo",
"DE.Views.ParagraphSettingsAdvanced.textBackColor": "Colore sfondo", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Colore sfondo",
"DE.Views.ParagraphSettingsAdvanced.textBodyText": "Corpo del testo",
"DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Colore bordo", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Colore bordo",
"DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Clicca sul diagramma o utilizza i pulsanti per selezionare i bordi e applicare lo stile selezionato ad essi", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Clicca sul diagramma o utilizza i pulsanti per selezionare i bordi e applicare lo stile selezionato ad essi",
"DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Dimensioni bordo", "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Dimensioni bordo",
"DE.Views.ParagraphSettingsAdvanced.textBottom": "In basso", "DE.Views.ParagraphSettingsAdvanced.textBottom": "In basso",
"DE.Views.ParagraphSettingsAdvanced.textCentered": "Centrato",
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spaziatura caratteri", "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spaziatura caratteri",
"DE.Views.ParagraphSettingsAdvanced.textDefault": "Predefinita", "DE.Views.ParagraphSettingsAdvanced.textDefault": "Predefinita",
"DE.Views.ParagraphSettingsAdvanced.textEffects": "Effetti", "DE.Views.ParagraphSettingsAdvanced.textEffects": "Effetti",
"DE.Views.ParagraphSettingsAdvanced.textExact": "Esatta",
"DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Prima riga",
"DE.Views.ParagraphSettingsAdvanced.textHanging": "Sospensione",
"DE.Views.ParagraphSettingsAdvanced.textJustified": "Giustificato",
"DE.Views.ParagraphSettingsAdvanced.textLeader": "Leader", "DE.Views.ParagraphSettingsAdvanced.textLeader": "Leader",
"DE.Views.ParagraphSettingsAdvanced.textLeft": "A sinistra", "DE.Views.ParagraphSettingsAdvanced.textLeft": "A sinistra",
"DE.Views.ParagraphSettingsAdvanced.textLevel": "Livello",
"DE.Views.ParagraphSettingsAdvanced.textNewColor": "Colore personalizzato", "DE.Views.ParagraphSettingsAdvanced.textNewColor": "Colore personalizzato",
"DE.Views.ParagraphSettingsAdvanced.textNone": "Nessuno", "DE.Views.ParagraphSettingsAdvanced.textNone": "Nessuno",
"DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(nessuna)",
"DE.Views.ParagraphSettingsAdvanced.textPosition": "Posizione", "DE.Views.ParagraphSettingsAdvanced.textPosition": "Posizione",
"DE.Views.ParagraphSettingsAdvanced.textRemove": "Elimina", "DE.Views.ParagraphSettingsAdvanced.textRemove": "Elimina",
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Elimina tutto", "DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Elimina tutto",
@ -1751,6 +1775,7 @@
"DE.Views.ParagraphSettingsAdvanced.tipOuter": "Imposta solo bordi esterni", "DE.Views.ParagraphSettingsAdvanced.tipOuter": "Imposta solo bordi esterni",
"DE.Views.ParagraphSettingsAdvanced.tipRight": "Imposta solo bordo destro", "DE.Views.ParagraphSettingsAdvanced.tipRight": "Imposta solo bordo destro",
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Imposta solo bordo superiore", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Imposta solo bordo superiore",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Nessun bordo", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Nessun bordo",
"DE.Views.RightMenu.txtChartSettings": "Impostazioni grafico", "DE.Views.RightMenu.txtChartSettings": "Impostazioni grafico",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Impostazioni intestazione e piè di pagina", "DE.Views.RightMenu.txtHeaderFooterSettings": "Impostazioni intestazione e piè di pagina",
@ -1767,6 +1792,7 @@
"DE.Views.ShapeSettings.strFill": "Riempimento", "DE.Views.ShapeSettings.strFill": "Riempimento",
"DE.Views.ShapeSettings.strForeground": "Colore primo piano", "DE.Views.ShapeSettings.strForeground": "Colore primo piano",
"DE.Views.ShapeSettings.strPattern": "Modello", "DE.Views.ShapeSettings.strPattern": "Modello",
"DE.Views.ShapeSettings.strShadow": "Mostra ombra",
"DE.Views.ShapeSettings.strSize": "Dimensione", "DE.Views.ShapeSettings.strSize": "Dimensione",
"DE.Views.ShapeSettings.strStroke": "Tratto", "DE.Views.ShapeSettings.strStroke": "Tratto",
"DE.Views.ShapeSettings.strTransparency": "Opacità", "DE.Views.ShapeSettings.strTransparency": "Opacità",

View file

@ -182,7 +182,7 @@
"DE.Controllers.Main.downloadTextText": "ドキュメントのダウンロード中...", "DE.Controllers.Main.downloadTextText": "ドキュメントのダウンロード中...",
"DE.Controllers.Main.downloadTitleText": "ドキュメントのダウンロード中", "DE.Controllers.Main.downloadTitleText": "ドキュメントのダウンロード中",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。", "DE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。",
"DE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。<br>OKボタンをクリックするとドキュメントをダウンロードするように求められます。<br><br>ドキュメントサーバーの接続の詳細情報を見つけます:<a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "DE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。<br>OKボタンをクリックするとドキュメントをダウンロードするように求められます。<br><br>ドキュメントサーバーの接続の詳細情報を見つけます:<a href=\"%1\" target=\"_blank\">ここに</a>",
"DE.Controllers.Main.errorDatabaseConnection": "外部エラーです。<br>データベース接続エラーです。この問題は解決しない場合は、サポートにお問い合わせください。", "DE.Controllers.Main.errorDatabaseConnection": "外部エラーです。<br>データベース接続エラーです。この問題は解決しない場合は、サポートにお問い合わせください。",
"DE.Controllers.Main.errorDataRange": "データ範囲が正しくありません", "DE.Controllers.Main.errorDataRange": "データ範囲が正しくありません",
"DE.Controllers.Main.errorDefaultMessage": "エラー コード:%1", "DE.Controllers.Main.errorDefaultMessage": "エラー コード:%1",

View file

@ -317,7 +317,7 @@
"DE.Controllers.Main.errorAccessDeny": "권한이없는 작업을 수행하려고합니다. <br> 문서 관리자에게 문의하십시오.", "DE.Controllers.Main.errorAccessDeny": "권한이없는 작업을 수행하려고합니다. <br> 문서 관리자에게 문의하십시오.",
"DE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "DE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 지금 문서를 편집 할 수 없습니다.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 지금 문서를 편집 할 수 없습니다.",
"DE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오. <br> '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다. <br > <br> Document Server 연결에 대한 추가 정보 찾기 <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\"> 여기 </a> ", "DE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.<br>'확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.<br ><br>Document Server 연결에 대한 추가 정보 찾기 <a href=\"%1\" target=\"_blank\">여기</a> ",
"DE.Controllers.Main.errorDatabaseConnection": "외부 오류. <br> 데이터베이스 연결 오류입니다. 오류가 계속 발생하면 지원부에 문의하십시오.", "DE.Controllers.Main.errorDatabaseConnection": "외부 오류. <br> 데이터베이스 연결 오류입니다. 오류가 계속 발생하면 지원부에 문의하십시오.",
"DE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.", "DE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.",
"DE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1", "DE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1",
@ -442,8 +442,8 @@
"DE.Controllers.Main.warnBrowserIE9": "응용 프로그램의 기능이 IE9에서 부족합니다. IE10 이상을 사용하십시오.", "DE.Controllers.Main.warnBrowserIE9": "응용 프로그램의 기능이 IE9에서 부족합니다. IE10 이상을 사용하십시오.",
"DE.Controllers.Main.warnBrowserZoom": "브라우저의 현재 확대 / 축소 설정이 완전히 지원되지 않습니다. Ctrl + 0을 눌러 기본 확대 / 축소로 재설정하십시오.", "DE.Controllers.Main.warnBrowserZoom": "브라우저의 현재 확대 / 축소 설정이 완전히 지원되지 않습니다. Ctrl + 0을 눌러 기본 확대 / 축소로 재설정하십시오.",
"DE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. <br> 라이센스를 업데이트하고 페이지를 새로 고침하십시오.", "DE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. <br> 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
"DE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. <br> 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.", "DE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. <br> 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
"DE.Controllers.Main.warnNoLicenseUsers": "ONLYOFFICE 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. <br> 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.", "DE.Controllers.Main.warnNoLicenseUsers": "%1 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. <br> 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.",
"DE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.", "DE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"DE.Controllers.Navigation.txtBeginning": "문서의 시작", "DE.Controllers.Navigation.txtBeginning": "문서의 시작",
"DE.Controllers.Navigation.txtGotoBeginning": "문서의 시작점으로 이동", "DE.Controllers.Navigation.txtGotoBeginning": "문서의 시작점으로 이동",

View file

@ -314,7 +314,7 @@
"DE.Controllers.Main.errorAccessDeny": "Jūs mēģināt veikt darbību, kuru nedrīkstat veikt.<br>Lūdzu, sazinieties ar savu dokumentu servera administratoru.", "DE.Controllers.Main.errorAccessDeny": "Jūs mēģināt veikt darbību, kuru nedrīkstat veikt.<br>Lūdzu, sazinieties ar savu dokumentu servera administratoru.",
"DE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL", "DE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.",
"DE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.<br>When you click the 'OK' button, you will be prompted to download the document.<br><br>Find more information about connecting Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "DE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.<br>Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.<br><br>Uzziniet vairāk par dokumentu servera pieslēgšanu <a href=\"%1\" target=\"_blank\">šeit</a>",
"DE.Controllers.Main.errorDatabaseConnection": "External error.<br>Database connection error. Please contact support in case the error persists.", "DE.Controllers.Main.errorDatabaseConnection": "External error.<br>Database connection error. Please contact support in case the error persists.",
"DE.Controllers.Main.errorDataRange": "Incorrect data range.", "DE.Controllers.Main.errorDataRange": "Incorrect data range.",
"DE.Controllers.Main.errorDefaultMessage": "Kļūdas kods: %1", "DE.Controllers.Main.errorDefaultMessage": "Kļūdas kods: %1",
@ -439,8 +439,8 @@
"DE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher", "DE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher",
"DE.Controllers.Main.warnBrowserZoom": "Pārlūkprogrammas pašreizējais tālummaiņas iestatījums netiek pilnībā atbalstīts. Lūdzu atiestatīt noklusējuma tālummaiņu, nospiežot Ctrl+0.", "DE.Controllers.Main.warnBrowserZoom": "Pārlūkprogrammas pašreizējais tālummaiņas iestatījums netiek pilnībā atbalstīts. Lūdzu atiestatīt noklusējuma tālummaiņu, nospiežot Ctrl+0.",
"DE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš.<br>Lūdzu, atjauniniet savu licenci un pārlādējiet lapu.", "DE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš.<br>Lūdzu, atjauniniet savu licenci un pārlādējiet lapu.",
"DE.Controllers.Main.warnNoLicense": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet Jūsu šībrīža licences līmeņa paaugstināšanu vai komerciālās licences iegādi.", "DE.Controllers.Main.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet Jūsu šībrīža licences līmeņa paaugstināšanu vai komerciālās licences iegādi.",
"DE.Controllers.Main.warnNoLicenseUsers": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.", "DE.Controllers.Main.warnNoLicenseUsers": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.",
"DE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", "DE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.",
"DE.Controllers.Navigation.txtBeginning": "Dokumenta sākums", "DE.Controllers.Navigation.txtBeginning": "Dokumenta sākums",
"DE.Controllers.Navigation.txtGotoBeginning": "Doties uz dokumenta sākumu", "DE.Controllers.Navigation.txtGotoBeginning": "Doties uz dokumenta sākumu",

View file

@ -336,7 +336,7 @@
"DE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.<br>Neem contact op met de beheerder van de documentserver.", "DE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.<br>Neem contact op met de beheerder van de documentserver.",
"DE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "DE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server is verbroken. Het document kan op dit moment niet worden bewerkt.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server is verbroken. Het document kan op dit moment niet worden bewerkt.",
"DE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.<br>Wanneer u op de knop 'OK' klikt, wordt u gevraagd om het document te downloaden.<br><br>Meer informatie over de verbinding met een documentserver is <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">hier</a> te vinden.", "DE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.<br>Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.<br><br>Meer informatie over verbindingen met de documentserver is <a href=\"%1\" target=\"_blank\">hier</a> te vinden.",
"DE.Controllers.Main.errorDatabaseConnection": "Externe fout.<br>Fout in databaseverbinding. Neem contact op met Support als deze fout zich blijft voordoen.", "DE.Controllers.Main.errorDatabaseConnection": "Externe fout.<br>Fout in databaseverbinding. Neem contact op met Support als deze fout zich blijft voordoen.",
"DE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik.", "DE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik.",
"DE.Controllers.Main.errorDefaultMessage": "Foutcode: %1", "DE.Controllers.Main.errorDefaultMessage": "Foutcode: %1",
@ -535,8 +535,8 @@
"DE.Controllers.Main.warnBrowserIE9": "Met IE9 heeft de toepassing beperkte mogelijkheden. Gebruik IE10 of hoger.", "DE.Controllers.Main.warnBrowserIE9": "Met IE9 heeft de toepassing beperkte mogelijkheden. Gebruik IE10 of hoger.",
"DE.Controllers.Main.warnBrowserZoom": "De huidige zoominstelling van uw browser wordt niet ondersteund. Zet de zoominstelling terug op de standaardwaarde door op Ctrl+0 te drukken.", "DE.Controllers.Main.warnBrowserZoom": "De huidige zoominstelling van uw browser wordt niet ondersteund. Zet de zoominstelling terug op de standaardwaarde door op Ctrl+0 te drukken.",
"DE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen.<br>Werk uw licentie bij en vernieuw de pagina.", "DE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen.<br>Werk uw licentie bij en vernieuw de pagina.",
"DE.Controllers.Main.warnNoLicense": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.", "DE.Controllers.Main.warnNoLicense": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
"DE.Controllers.Main.warnNoLicenseUsers": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.", "DE.Controllers.Main.warnNoLicenseUsers": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
"DE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.", "DE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.",
"DE.Controllers.Navigation.txtBeginning": "Begin van het document", "DE.Controllers.Navigation.txtBeginning": "Begin van het document",
"DE.Controllers.Navigation.txtGotoBeginning": "Ga naar het begin van het document", "DE.Controllers.Navigation.txtGotoBeginning": "Ga naar het begin van het document",

View file

@ -279,7 +279,7 @@
"DE.Controllers.Main.errorAccessDeny": "Próbujesz wykonać działanie, na które nie masz uprawnień.<br>Proszę skontaktować się z administratorem serwera dokumentów.", "DE.Controllers.Main.errorAccessDeny": "Próbujesz wykonać działanie, na które nie masz uprawnień.<br>Proszę skontaktować się z administratorem serwera dokumentów.",
"DE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "DE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie można teraz edytować dokumentu.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie można teraz edytować dokumentu.",
"DE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.<br>Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.<br><br>Dowiedz się więcej o połączeniu serwera dokumentów <a href=\"https://api.onlyoffice.com/editors/callback \"target =\"_blank \">tutaj</a>", "DE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.<br>Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.<br><br>Dowiedz się więcej o połączeniu serwera dokumentów <a href=\"%1\" target=\"_blank\">tutaj</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Błąd zewnętrzny.<br>Błąd połączenia z bazą danych. W przypadku wystąpienia błędu należy skontaktować się z pomocą techniczną.", "DE.Controllers.Main.errorDatabaseConnection": "Błąd zewnętrzny.<br>Błąd połączenia z bazą danych. W przypadku wystąpienia błędu należy skontaktować się z pomocą techniczną.",
"DE.Controllers.Main.errorDataRange": "Błędny zakres danych.", "DE.Controllers.Main.errorDataRange": "Błędny zakres danych.",
"DE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1", "DE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1",
@ -427,7 +427,7 @@
"DE.Controllers.Main.warnBrowserIE9": "Aplikacja ma małe możliwości w IE9. Użyj przeglądarki IE10 lub nowszej.", "DE.Controllers.Main.warnBrowserIE9": "Aplikacja ma małe możliwości w IE9. Użyj przeglądarki IE10 lub nowszej.",
"DE.Controllers.Main.warnBrowserZoom": "Aktualne ustawienie powiększenia przeglądarki nie jest w pełni obsługiwane. Zresetuj domyślny zoom, naciskając Ctrl + 0.", "DE.Controllers.Main.warnBrowserZoom": "Aktualne ustawienie powiększenia przeglądarki nie jest w pełni obsługiwane. Zresetuj domyślny zoom, naciskając Ctrl + 0.",
"DE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła.<br>Zaktualizuj licencję i odśwież stronę.", "DE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła.<br>Zaktualizuj licencję i odśwież stronę.",
"DE.Controllers.Main.warnNoLicense": "Używasz wersji ONLYOFFICE w wersji open source. Wersja ma ograniczenia dla jednoczesnych połączeń z serwerem dokumentów (po 20 połączeń naraz). Jeśli potrzebujesz więcej, rozważ zakup licencji komercyjnej.", "DE.Controllers.Main.warnNoLicense": "Używasz wersji %1 w wersji open source. Wersja ma ograniczenia dla jednoczesnych połączeń z serwerem dokumentów (po 20 połączeń naraz). Jeśli potrzebujesz więcej, rozważ zakup licencji komercyjnej.",
"DE.Controllers.Main.warnProcessRightsChange": "Nie masz prawa edytować tego pliku.", "DE.Controllers.Main.warnProcessRightsChange": "Nie masz prawa edytować tego pliku.",
"DE.Controllers.Navigation.txtBeginning": "Początek dokumentu", "DE.Controllers.Navigation.txtBeginning": "Początek dokumentu",
"DE.Controllers.Statusbar.textHasChanges": "Nowe zmiany zostały śledzone", "DE.Controllers.Statusbar.textHasChanges": "Nowe zmiany zostały śledzone",
@ -1055,6 +1055,8 @@
"DE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Utwórz nowy pusty dokument tekstowy, który będziesz mógł formatować po jego utworzeniu podczas edytowania. Możesz też wybrać jeden z szablonów, aby utworzyć dokument określonego typu lub celu, w którym niektóre style zostały wcześniej zastosowane.", "DE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Utwórz nowy pusty dokument tekstowy, który będziesz mógł formatować po jego utworzeniu podczas edytowania. Możesz też wybrać jeden z szablonów, aby utworzyć dokument określonego typu lub celu, w którym niektóre style zostały wcześniej zastosowane.",
"DE.Views.FileMenuPanels.CreateNew.newDocumentText": "Nowy dokument tekstowy", "DE.Views.FileMenuPanels.CreateNew.newDocumentText": "Nowy dokument tekstowy",
"DE.Views.FileMenuPanels.CreateNew.noTemplatesText": "Tam nie ma żadnych szablonów", "DE.Views.FileMenuPanels.CreateNew.noTemplatesText": "Tam nie ma żadnych szablonów",
"DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Dodaj autora",
"DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Dodaj tekst",
"DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplikacja", "DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplikacja",
"DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor",
"DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Zmień prawa dostępu", "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Zmień prawa dostępu",
@ -1244,8 +1246,10 @@
"DE.Views.LeftMenu.txtDeveloper": "TRYB DEWELOPERA", "DE.Views.LeftMenu.txtDeveloper": "TRYB DEWELOPERA",
"DE.Views.Links.capBtnBookmarks": "Zakładka", "DE.Views.Links.capBtnBookmarks": "Zakładka",
"DE.Views.Links.capBtnInsContents": "Spis treści", "DE.Views.Links.capBtnInsContents": "Spis treści",
"DE.Views.Links.mniInsFootnote": "Wstaw przypis",
"DE.Views.Links.tipBookmarks": "Utwórz zakładkę", "DE.Views.Links.tipBookmarks": "Utwórz zakładkę",
"DE.Views.Links.tipInsertHyperlink": "Dodaj hiperłącze", "DE.Views.Links.tipInsertHyperlink": "Dodaj hiperłącze",
"DE.Views.Links.tipNotes": "Wstawianie lub edytowanie przypisów",
"DE.Views.MailMergeEmailDlg.cancelButtonText": "Anuluj", "DE.Views.MailMergeEmailDlg.cancelButtonText": "Anuluj",
"DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF",
"DE.Views.MailMergeEmailDlg.okButtonText": "Wyślij", "DE.Views.MailMergeEmailDlg.okButtonText": "Wyślij",
@ -1715,9 +1719,10 @@
"DE.Views.Toolbar.textSurface": "Powierzchnia", "DE.Views.Toolbar.textSurface": "Powierzchnia",
"DE.Views.Toolbar.textTabCollaboration": "Współpraca", "DE.Views.Toolbar.textTabCollaboration": "Współpraca",
"DE.Views.Toolbar.textTabFile": "Plik", "DE.Views.Toolbar.textTabFile": "Plik",
"DE.Views.Toolbar.textTabHome": "Start", "DE.Views.Toolbar.textTabHome": "Narzędzia główne",
"DE.Views.Toolbar.textTabInsert": "Wstawić", "DE.Views.Toolbar.textTabInsert": "Wstawianie",
"DE.Views.Toolbar.textTabLayout": "Układ", "DE.Views.Toolbar.textTabLayout": "Układ",
"DE.Views.Toolbar.textTabLinks": "Odwołania",
"DE.Views.Toolbar.textTabReview": "Przegląd", "DE.Views.Toolbar.textTabReview": "Przegląd",
"DE.Views.Toolbar.textTitleError": "Błąd", "DE.Views.Toolbar.textTitleError": "Błąd",
"DE.Views.Toolbar.textToCurrent": "Do aktualnej pozycji", "DE.Views.Toolbar.textToCurrent": "Do aktualnej pozycji",
@ -1728,6 +1733,7 @@
"DE.Views.Toolbar.tipAlignLeft": "Wyrównaj do lewej", "DE.Views.Toolbar.tipAlignLeft": "Wyrównaj do lewej",
"DE.Views.Toolbar.tipAlignRight": "Wyrównaj do prawej", "DE.Views.Toolbar.tipAlignRight": "Wyrównaj do prawej",
"DE.Views.Toolbar.tipBack": "Powrót", "DE.Views.Toolbar.tipBack": "Powrót",
"DE.Views.Toolbar.tipBlankPage": "Wstaw pustą stronę",
"DE.Views.Toolbar.tipChangeChart": "Zmień typ wykresu", "DE.Views.Toolbar.tipChangeChart": "Zmień typ wykresu",
"DE.Views.Toolbar.tipClearStyle": "Wyczyść style", "DE.Views.Toolbar.tipClearStyle": "Wyczyść style",
"DE.Views.Toolbar.tipColorSchemas": "Zmień schemat kolorów", "DE.Views.Toolbar.tipColorSchemas": "Zmień schemat kolorów",
@ -1798,5 +1804,6 @@
"DE.Views.Toolbar.txtScheme6": "Zbiegowisko", "DE.Views.Toolbar.txtScheme6": "Zbiegowisko",
"DE.Views.Toolbar.txtScheme7": "Kapitał", "DE.Views.Toolbar.txtScheme7": "Kapitał",
"DE.Views.Toolbar.txtScheme8": "Przepływ", "DE.Views.Toolbar.txtScheme8": "Przepływ",
"DE.Views.Toolbar.txtScheme9": "Odlewnia" "DE.Views.Toolbar.txtScheme9": "Odlewnia",
"DE.Views.WatermarkSettingsDialog.textNewColor": "Nowy niestandardowy kolor"
} }

View file

@ -287,7 +287,7 @@
"DE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação que você não tem direitos. <br> Contate o administrador do Servidor de Documentos.", "DE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação que você não tem direitos. <br> Contate o administrador do Servidor de Documentos.",
"DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta", "DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.",
"DE.Controllers.Main.errorConnectToServer": "O documento não pode ser salvo. Verifique as configurações de conexão ou entre em contato com o seu administrador.<br>Quando você clicar no botão \"OK\", poderá baixar o documento.<br><br>Encontre mais informações sobre conexão com o Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">aqui</a>", "DE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.<br>Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento. <br><br>Encontre mais informações sobre como conecta ao Document Server <a href=\"%1\" target=\"_blank\">aqui</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Erro externo.<br>Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.", "DE.Controllers.Main.errorDatabaseConnection": "Erro externo.<br>Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.",
"DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", "DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.",
"DE.Controllers.Main.errorDefaultMessage": "Código do erro: %1", "DE.Controllers.Main.errorDefaultMessage": "Código do erro: %1",
@ -406,8 +406,8 @@
"DE.Controllers.Main.warnBrowserIE9": "O aplicativo tem baixa capacidade no IE9. Usar IE10 ou superior", "DE.Controllers.Main.warnBrowserIE9": "O aplicativo tem baixa capacidade no IE9. Usar IE10 ou superior",
"DE.Controllers.Main.warnBrowserZoom": "A configuração de zoom atual de seu navegador não é completamente suportada. Redefina para o zoom padrão pressionando Ctrl+0.", "DE.Controllers.Main.warnBrowserZoom": "A configuração de zoom atual de seu navegador não é completamente suportada. Redefina para o zoom padrão pressionando Ctrl+0.",
"DE.Controllers.Main.warnLicenseExp": "Sua licença expirou.<br>Atualize sua licença e refresque a página.", "DE.Controllers.Main.warnLicenseExp": "Sua licença expirou.<br>Atualize sua licença e refresque a página.",
"DE.Controllers.Main.warnNoLicense": "Você está usando uma versão de código aberto de ONLYOFFICE. A versão tem limitações para conexões simultâneas com servidor de documentos (20 conexões por vez). <br> Se você precisar de mais, por favor considere a compra de uma licença comercial.", "DE.Controllers.Main.warnNoLicense": "Você está usando uma versão de código aberto de %1. A versão tem limitações para conexões simultâneas com servidor de documentos (20 conexões por vez). <br> Se você precisar de mais, por favor considere a compra de uma licença comercial.",
"DE.Controllers.Main.warnNoLicenseUsers": "Você está usando uma versão de código aberto de ONLYOFFICE. A versão tem limitações para conexões simultâneas com servidor de documentos (20 conexões por vez). <br> Se você precisar de mais, por favor considere a compra de uma licença comercial.", "DE.Controllers.Main.warnNoLicenseUsers": "Você está usando uma versão de código aberto de %1. A versão tem limitações para conexões simultâneas com servidor de documentos (20 conexões por vez). <br> Se você precisar de mais, por favor considere a compra de uma licença comercial.",
"DE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.", "DE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.",
"DE.Controllers.Navigation.txtBeginning": "Início do documento", "DE.Controllers.Navigation.txtBeginning": "Início do documento",
"DE.Controllers.Navigation.txtGotoBeginning": "Ir para o início do documento", "DE.Controllers.Navigation.txtGotoBeginning": "Ir para o início do documento",

View file

@ -326,6 +326,7 @@
"DE.Controllers.LeftMenu.textNoTextFound": "Искомые данные не найдены. Пожалуйста, измените параметры поиска.", "DE.Controllers.LeftMenu.textNoTextFound": "Искомые данные не найдены. Пожалуйста, измените параметры поиска.",
"DE.Controllers.LeftMenu.textReplaceSkipped": "Замена выполнена. Пропущено вхождений - {0}.", "DE.Controllers.LeftMenu.textReplaceSkipped": "Замена выполнена. Пропущено вхождений - {0}.",
"DE.Controllers.LeftMenu.textReplaceSuccess": "Поиск выполнен. Заменено вхождений: {0}", "DE.Controllers.LeftMenu.textReplaceSuccess": "Поиск выполнен. Заменено вхождений: {0}",
"DE.Controllers.LeftMenu.txtCompatible": "Документ будет сохранен в новый формат. Это позволит использовать все функции редактора, но может повлиять на структуру документа.<br>Используйте опцию 'Совместимость' в дополнительных параметрах, если хотите сделать файлы совместимыми с более старыми версиями MS Word.",
"DE.Controllers.LeftMenu.txtUntitled": "Без имени", "DE.Controllers.LeftMenu.txtUntitled": "Без имени",
"DE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.<br>Вы действительно хотите продолжить?", "DE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.<br>Вы действительно хотите продолжить?",
"DE.Controllers.LeftMenu.warnDownloadAsRTF": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна.<br>Вы действительно хотите продолжить?", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна.<br>Вы действительно хотите продолжить?",
@ -1099,7 +1100,6 @@
"DE.Views.DocumentHolder.hyperlinkText": "Гиперссылка", "DE.Views.DocumentHolder.hyperlinkText": "Гиперссылка",
"DE.Views.DocumentHolder.ignoreAllSpellText": "Пропустить все", "DE.Views.DocumentHolder.ignoreAllSpellText": "Пропустить все",
"DE.Views.DocumentHolder.ignoreSpellText": "Пропустить", "DE.Views.DocumentHolder.ignoreSpellText": "Пропустить",
"DE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь",
"DE.Views.DocumentHolder.imageText": "Дополнительные параметры изображения", "DE.Views.DocumentHolder.imageText": "Дополнительные параметры изображения",
"DE.Views.DocumentHolder.insertColumnLeftText": "Столбец слева", "DE.Views.DocumentHolder.insertColumnLeftText": "Столбец слева",
"DE.Views.DocumentHolder.insertColumnRightText": "Столбец справа", "DE.Views.DocumentHolder.insertColumnRightText": "Столбец справа",
@ -1189,6 +1189,7 @@
"DE.Views.DocumentHolder.textUpdateTOC": "Обновить оглавление", "DE.Views.DocumentHolder.textUpdateTOC": "Обновить оглавление",
"DE.Views.DocumentHolder.textWrap": "Стиль обтекания", "DE.Views.DocumentHolder.textWrap": "Стиль обтекания",
"DE.Views.DocumentHolder.tipIsLocked": "Этот элемент редактируется другим пользователем.", "DE.Views.DocumentHolder.tipIsLocked": "Этот элемент редактируется другим пользователем.",
"DE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь",
"DE.Views.DocumentHolder.txtAddBottom": "Добавить нижнюю границу", "DE.Views.DocumentHolder.txtAddBottom": "Добавить нижнюю границу",
"DE.Views.DocumentHolder.txtAddFractionBar": "Добавить дробную черту", "DE.Views.DocumentHolder.txtAddFractionBar": "Добавить дробную черту",
"DE.Views.DocumentHolder.txtAddHor": "Добавить горизонтальную линию", "DE.Views.DocumentHolder.txtAddHor": "Добавить горизонтальную линию",
@ -1251,6 +1252,7 @@
"DE.Views.DocumentHolder.txtOverwriteCells": "Заменить содержимое ячеек", "DE.Views.DocumentHolder.txtOverwriteCells": "Заменить содержимое ячеек",
"DE.Views.DocumentHolder.txtPasteSourceFormat": "Сохранить исходное форматирование", "DE.Views.DocumentHolder.txtPasteSourceFormat": "Сохранить исходное форматирование",
"DE.Views.DocumentHolder.txtPressLink": "Нажмите CTRL и щелкните по ссылке", "DE.Views.DocumentHolder.txtPressLink": "Нажмите CTRL и щелкните по ссылке",
"DE.Views.DocumentHolder.txtPrintSelection": "Напечатать выделенное",
"DE.Views.DocumentHolder.txtRemFractionBar": "Удалить дробную черту", "DE.Views.DocumentHolder.txtRemFractionBar": "Удалить дробную черту",
"DE.Views.DocumentHolder.txtRemLimit": "Удалить предел", "DE.Views.DocumentHolder.txtRemLimit": "Удалить предел",
"DE.Views.DocumentHolder.txtRemoveAccentChar": "Удалить диакритический знак", "DE.Views.DocumentHolder.txtRemoveAccentChar": "Удалить диакритический знак",
@ -1276,7 +1278,6 @@
"DE.Views.DocumentHolder.txtUngroup": "Разгруппировать", "DE.Views.DocumentHolder.txtUngroup": "Разгруппировать",
"DE.Views.DocumentHolder.updateStyleText": "Обновить стиль %1", "DE.Views.DocumentHolder.updateStyleText": "Обновить стиль %1",
"DE.Views.DocumentHolder.vertAlignText": "Вертикальное выравнивание", "DE.Views.DocumentHolder.vertAlignText": "Вертикальное выравнивание",
"DE.Views.DocumentHolder.txtPrintSelection": "Напечатать выделенное",
"DE.Views.DropcapSettingsAdvanced.cancelButtonText": "Отмена", "DE.Views.DropcapSettingsAdvanced.cancelButtonText": "Отмена",
"DE.Views.DropcapSettingsAdvanced.okButtonText": "ОК", "DE.Views.DropcapSettingsAdvanced.okButtonText": "ОК",
"DE.Views.DropcapSettingsAdvanced.strBorders": "Границы и заливка", "DE.Views.DropcapSettingsAdvanced.strBorders": "Границы и заливка",
@ -1405,9 +1406,11 @@
"DE.Views.FileMenuPanels.Settings.textAlignGuides": "Направляющие выравнивания", "DE.Views.FileMenuPanels.Settings.textAlignGuides": "Направляющие выравнивания",
"DE.Views.FileMenuPanels.Settings.textAutoRecover": "Автовосстановление", "DE.Views.FileMenuPanels.Settings.textAutoRecover": "Автовосстановление",
"DE.Views.FileMenuPanels.Settings.textAutoSave": "Автосохранение", "DE.Views.FileMenuPanels.Settings.textAutoSave": "Автосохранение",
"DE.Views.FileMenuPanels.Settings.textCompatible": "Совместимость",
"DE.Views.FileMenuPanels.Settings.textDisabled": "Отключено", "DE.Views.FileMenuPanels.Settings.textDisabled": "Отключено",
"DE.Views.FileMenuPanels.Settings.textForceSave": "Сохранить на сервере", "DE.Views.FileMenuPanels.Settings.textForceSave": "Сохранять на сервере",
"DE.Views.FileMenuPanels.Settings.textMinute": "Каждую минуту", "DE.Views.FileMenuPanels.Settings.textMinute": "Каждую минуту",
"DE.Views.FileMenuPanels.Settings.textOldVersions": "Сделать файлы совместимыми с более старыми версиями MS Word при сохранении как DOCX",
"DE.Views.FileMenuPanels.Settings.txtAll": "Все", "DE.Views.FileMenuPanels.Settings.txtAll": "Все",
"DE.Views.FileMenuPanels.Settings.txtCm": "Сантиметр", "DE.Views.FileMenuPanels.Settings.txtCm": "Сантиметр",
"DE.Views.FileMenuPanels.Settings.txtFitPage": "По размеру страницы", "DE.Views.FileMenuPanels.Settings.txtFitPage": "По размеру страницы",
@ -1705,34 +1708,53 @@
"DE.Views.ParagraphSettingsAdvanced.strBorders": "Границы и заливка", "DE.Views.ParagraphSettingsAdvanced.strBorders": "Границы и заливка",
"DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "С новой страницы", "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "С новой страницы",
"DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Двойное зачёркивание", "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Двойное зачёркивание",
"DE.Views.ParagraphSettingsAdvanced.strIndent": "Отступы",
"DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Первая строка", "DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Первая строка",
"DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Слева", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Слева",
"DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Междустрочный интервал",
"DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Уровень структуры",
"DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Справа", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Справа",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "После",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Перед",
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Первая строка",
"DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Не разрывать абзац", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Не разрывать абзац",
"DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Не отрывать от следующего", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Не отрывать от следующего",
"DE.Views.ParagraphSettingsAdvanced.strMargins": "Внутренние поля", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Внутренние поля",
"DE.Views.ParagraphSettingsAdvanced.strOrphan": "Запрет висячих строк", "DE.Views.ParagraphSettingsAdvanced.strOrphan": "Запрет висячих строк",
"DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Шрифт", "DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Шрифт",
"DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и положение", "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и интервалы",
"DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Положение на странице",
"DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Положение", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Положение",
"DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Малые прописные", "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Малые прописные",
"DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Не добавлять интервал между абзацами одного стиля",
"DE.Views.ParagraphSettingsAdvanced.strSpacing": "Интервал между абзацами",
"DE.Views.ParagraphSettingsAdvanced.strStrike": "Зачёркивание", "DE.Views.ParagraphSettingsAdvanced.strStrike": "Зачёркивание",
"DE.Views.ParagraphSettingsAdvanced.strSubscript": "Подстрочные", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Подстрочные",
"DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Надстрочные", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Надстрочные",
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Табуляция", "DE.Views.ParagraphSettingsAdvanced.strTabs": "Табуляция",
"DE.Views.ParagraphSettingsAdvanced.textAlign": "Выравнивание", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Выравнивание",
"DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Минимум",
"DE.Views.ParagraphSettingsAdvanced.textAuto": "Множитель",
"DE.Views.ParagraphSettingsAdvanced.textBackColor": "Цвет фона", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Цвет фона",
"DE.Views.ParagraphSettingsAdvanced.textBodyText": "Основной текст",
"DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Цвет границ", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Цвет границ",
"DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Щелкайте по схеме или используйте кнопки, чтобы выбрать границы и применить к ним выбранный стиль", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Щелкайте по схеме или используйте кнопки, чтобы выбрать границы и применить к ним выбранный стиль",
"DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Ширина границ", "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Ширина границ",
"DE.Views.ParagraphSettingsAdvanced.textBottom": "Снизу", "DE.Views.ParagraphSettingsAdvanced.textBottom": "Снизу",
"DE.Views.ParagraphSettingsAdvanced.textCentered": "По центру",
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Межзнаковый интервал", "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Межзнаковый интервал",
"DE.Views.ParagraphSettingsAdvanced.textDefault": "По умолчанию", "DE.Views.ParagraphSettingsAdvanced.textDefault": "По умолчанию",
"DE.Views.ParagraphSettingsAdvanced.textEffects": "Эффекты", "DE.Views.ParagraphSettingsAdvanced.textEffects": "Эффекты",
"DE.Views.ParagraphSettingsAdvanced.textExact": "Точно",
"DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Отступ",
"DE.Views.ParagraphSettingsAdvanced.textHanging": "Выступ",
"DE.Views.ParagraphSettingsAdvanced.textJustified": "По ширине",
"DE.Views.ParagraphSettingsAdvanced.textLeader": "Заполнитель", "DE.Views.ParagraphSettingsAdvanced.textLeader": "Заполнитель",
"DE.Views.ParagraphSettingsAdvanced.textLeft": "Слева", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Слева",
"DE.Views.ParagraphSettingsAdvanced.textLevel": "Уровень",
"DE.Views.ParagraphSettingsAdvanced.textNewColor": "Пользовательский цвет", "DE.Views.ParagraphSettingsAdvanced.textNewColor": "Пользовательский цвет",
"DE.Views.ParagraphSettingsAdvanced.textNone": "Нет", "DE.Views.ParagraphSettingsAdvanced.textNone": "Нет",
"DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(нет)",
"DE.Views.ParagraphSettingsAdvanced.textPosition": "Положение", "DE.Views.ParagraphSettingsAdvanced.textPosition": "Положение",
"DE.Views.ParagraphSettingsAdvanced.textRemove": "Удалить", "DE.Views.ParagraphSettingsAdvanced.textRemove": "Удалить",
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Удалить все", "DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Удалить все",
@ -1753,6 +1775,7 @@
"DE.Views.ParagraphSettingsAdvanced.tipOuter": "Задать только внешнюю границу", "DE.Views.ParagraphSettingsAdvanced.tipOuter": "Задать только внешнюю границу",
"DE.Views.ParagraphSettingsAdvanced.tipRight": "Задать только правую границу", "DE.Views.ParagraphSettingsAdvanced.tipRight": "Задать только правую границу",
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Задать только верхнюю границу", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Задать только верхнюю границу",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Без границ", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Без границ",
"DE.Views.RightMenu.txtChartSettings": "Параметры диаграммы", "DE.Views.RightMenu.txtChartSettings": "Параметры диаграммы",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Параметры верхнего и нижнего колонтитулов", "DE.Views.RightMenu.txtHeaderFooterSettings": "Параметры верхнего и нижнего колонтитулов",
@ -1769,6 +1792,7 @@
"DE.Views.ShapeSettings.strFill": "Заливка", "DE.Views.ShapeSettings.strFill": "Заливка",
"DE.Views.ShapeSettings.strForeground": "Цвет переднего плана", "DE.Views.ShapeSettings.strForeground": "Цвет переднего плана",
"DE.Views.ShapeSettings.strPattern": "Узор", "DE.Views.ShapeSettings.strPattern": "Узор",
"DE.Views.ShapeSettings.strShadow": "Отображать тень",
"DE.Views.ShapeSettings.strSize": "Толщина", "DE.Views.ShapeSettings.strSize": "Толщина",
"DE.Views.ShapeSettings.strStroke": "Обводка", "DE.Views.ShapeSettings.strStroke": "Обводка",
"DE.Views.ShapeSettings.strTransparency": "Непрозрачность", "DE.Views.ShapeSettings.strTransparency": "Непрозрачность",
@ -1820,7 +1844,6 @@
"DE.Views.ShapeSettings.txtTight": "По контуру", "DE.Views.ShapeSettings.txtTight": "По контуру",
"DE.Views.ShapeSettings.txtTopAndBottom": "Сверху и снизу", "DE.Views.ShapeSettings.txtTopAndBottom": "Сверху и снизу",
"DE.Views.ShapeSettings.txtWood": "Дерево", "DE.Views.ShapeSettings.txtWood": "Дерево",
"DE.Views.ShapeSettings.strShadow": "Отображать тень",
"DE.Views.SignatureSettings.notcriticalErrorTitle": "Внимание", "DE.Views.SignatureSettings.notcriticalErrorTitle": "Внимание",
"DE.Views.SignatureSettings.strDelete": "Удалить подпись", "DE.Views.SignatureSettings.strDelete": "Удалить подпись",
"DE.Views.SignatureSettings.strDetails": "Состав подписи", "DE.Views.SignatureSettings.strDetails": "Состав подписи",
@ -1850,6 +1873,7 @@
"DE.Views.StyleTitleDialog.textTitle": "Название", "DE.Views.StyleTitleDialog.textTitle": "Название",
"DE.Views.StyleTitleDialog.txtEmpty": "Это поле необходимо заполнить", "DE.Views.StyleTitleDialog.txtEmpty": "Это поле необходимо заполнить",
"DE.Views.StyleTitleDialog.txtNotEmpty": "Поле не может быть пустым", "DE.Views.StyleTitleDialog.txtNotEmpty": "Поле не может быть пустым",
"DE.Views.StyleTitleDialog.txtSameAs": "Такой же, как создаваемый стиль",
"DE.Views.TableFormulaDialog.cancelButtonText": "Отмена", "DE.Views.TableFormulaDialog.cancelButtonText": "Отмена",
"DE.Views.TableFormulaDialog.okButtonText": "ОК", "DE.Views.TableFormulaDialog.okButtonText": "ОК",
"DE.Views.TableFormulaDialog.textBookmark": "Вставить закладку", "DE.Views.TableFormulaDialog.textBookmark": "Вставить закладку",

View file

@ -295,7 +295,7 @@
"DE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.<br>Prosím, kontaktujte svojho správcu dokumentového servera. ", "DE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.<br>Prosím, kontaktujte svojho správcu dokumentového servera. ",
"DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.",
"DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.<br>Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.<br><br>Viac informácií o pripojení dokumentového servera nájdete <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">tu</a>", "DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.<br>Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.<br><br>Viac informácií o pripojení dokumentového servera nájdete <a href=\"%1\" target=\"_blank\">tu</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Externá chyba.<br>Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ", "DE.Controllers.Main.errorDatabaseConnection": "Externá chyba.<br>Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ",
"DE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", "DE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.",
"DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1",
@ -417,7 +417,7 @@
"DE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.", "DE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.",
"DE.Controllers.Main.warnBrowserZoom": "Súčasné nastavenie priblíženia nie je plne podporované prehliadačom. Obnovte štandardné priblíženie stlačením klávesov Ctrl+0.", "DE.Controllers.Main.warnBrowserZoom": "Súčasné nastavenie priblíženia nie je plne podporované prehliadačom. Obnovte štandardné priblíženie stlačením klávesov Ctrl+0.",
"DE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.<br>Prosím, aktualizujte si svoju licenciu a obnovte stránku.", "DE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.<br>Prosím, aktualizujte si svoju licenciu a obnovte stránku.",
"DE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie ONLYOFFICE Editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. <br> Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.", "DE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie %1 editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. <br> Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
"DE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.", "DE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.",
"DE.Controllers.Statusbar.textHasChanges": "Boli sledované nové zmeny", "DE.Controllers.Statusbar.textHasChanges": "Boli sledované nové zmeny",
"DE.Controllers.Statusbar.textTrackChanges": "Dokument je otvorený so zapnutým režimom sledovania zmien.", "DE.Controllers.Statusbar.textTrackChanges": "Dokument je otvorený so zapnutým režimom sledovania zmien.",

View file

@ -270,7 +270,7 @@
"DE.Controllers.Main.errorAccessDeny": "Hakiniz olmayan bir eylem gerçekleştirmeye çalışıyorsunuz. <br> Lütfen Document Server yöneticinize başvurun.", "DE.Controllers.Main.errorAccessDeny": "Hakiniz olmayan bir eylem gerçekleştirmeye çalışıyorsunuz. <br> Lütfen Document Server yöneticinize başvurun.",
"DE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "DE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.",
"DE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.<br>When you click the 'OK' button, you will be prompted to download the document.<br><br>Find more information about connecting Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "DE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin. <br>'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.<br><br>Belge Sunucusuna bağlanma konusunda daha fazla bilgi için <a href=\"%1\" target=\"_blank\">buraya</a> tıklayın",
"DE.Controllers.Main.errorDatabaseConnection": "Harci hata. <br>Veri tabanı bağlantı hatası. Hata devam ederse lütfen destek ile iletişime geçin.", "DE.Controllers.Main.errorDatabaseConnection": "Harci hata. <br>Veri tabanı bağlantı hatası. Hata devam ederse lütfen destek ile iletişime geçin.",
"DE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", "DE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.",
"DE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1", "DE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1",
@ -395,7 +395,7 @@
"DE.Controllers.Main.warnBrowserIE9": "Uygulama IE9'da düşük yeteneklere sahip. IE10 yada daha yükseğini kullanınız", "DE.Controllers.Main.warnBrowserIE9": "Uygulama IE9'da düşük yeteneklere sahip. IE10 yada daha yükseğini kullanınız",
"DE.Controllers.Main.warnBrowserZoom": "Tarayıcınızın mevcut zum ayarı tam olarak desteklenmiyor. Ctrl+0'a basarak varsayılan zumu sıfırlayınız.", "DE.Controllers.Main.warnBrowserZoom": "Tarayıcınızın mevcut zum ayarı tam olarak desteklenmiyor. Ctrl+0'a basarak varsayılan zumu sıfırlayınız.",
"DE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. <br> Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.", "DE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. <br> Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.",
"DE.Controllers.Main.warnNoLicense": "ONLYOFFICE'ın açık kaynaklı bir sürümünü kullanıyorsunuz. Sürüm, doküman sunucusuna eş zamanlı bağlantılar için sınırlamalar getiriyor (bir seferde 20 bağlantı). <br> Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.", "DE.Controllers.Main.warnNoLicense": "%1'ın açık kaynaklı bir sürümünü kullanıyorsunuz. Sürüm, doküman sunucusuna eş zamanlı bağlantılar için sınırlamalar getiriyor (bir seferde 20 bağlantı). <br> Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.",
"DE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi", "DE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi",
"DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked", "DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked",
"DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled", "DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled",

View file

@ -247,7 +247,7 @@
"DE.Controllers.Main.errorAccessDeny": "Ви намагаєтеся виконати дію, у якої у вас немає прав. <br> Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.", "DE.Controllers.Main.errorAccessDeny": "Ви намагаєтеся виконати дію, у якої у вас немає прав. <br> Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.",
"DE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "DE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.",
"DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора. <br> Після натискання кнопки «ОК» вам буде запропоновано завантажити документ. <br> <br> Більше інформації про підключення сервера документів <a href = \"https: //api.onlyoffice.com/editors/callback \"target =\" _ blank \"> тут </ a>", "DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.<br>Після натискання кнопки «ОК» вам буде запропоновано завантажити документ. <br><br>Більше інформації про підключення сервера документів <a href=\"%1\" target=\"_blank\">тут</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка. <br> Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки, якщо помилка не зникне.", "DE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка. <br> Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки, якщо помилка не зникне.",
"DE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "DE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.",
"DE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", "DE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ",
@ -356,7 +356,7 @@
"DE.Controllers.Main.warnBrowserIE9": "Програма має низькі можливості для IE9. Використовувати IE10 або вище", "DE.Controllers.Main.warnBrowserIE9": "Програма має низькі можливості для IE9. Використовувати IE10 або вище",
"DE.Controllers.Main.warnBrowserZoom": "Налаштування масштабу вашого браузера не підтримується повністю. Змініть стандартний масштаб, натиснувши Ctrl + 0.", "DE.Controllers.Main.warnBrowserZoom": "Налаштування масштабу вашого браузера не підтримується повністю. Змініть стандартний масштаб, натиснувши Ctrl + 0.",
"DE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. <br> Будь ласка, оновіть свою ліцензію та оновіть сторінку.", "DE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. <br> Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
"DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). <br> Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.", "DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). <br> Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"DE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.", "DE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"DE.Controllers.Statusbar.textHasChanges": "Нові зміни були відстежені", "DE.Controllers.Statusbar.textHasChanges": "Нові зміни були відстежені",
"DE.Controllers.Statusbar.textTrackChanges": "Документ відкривається за допомогою режиму відстеження змін", "DE.Controllers.Statusbar.textTrackChanges": "Документ відкривається за допомогою режиму відстеження змін",

View file

@ -248,7 +248,7 @@
"DE.Controllers.Main.errorAccessDeny": "Bạn đang cố gắng thực hiện hành động mà bạn không có quyền.<br>Vui lòng liên hệ với quản trị viên Server Tài liệu của bạn.", "DE.Controllers.Main.errorAccessDeny": "Bạn đang cố gắng thực hiện hành động mà bạn không có quyền.<br>Vui lòng liên hệ với quản trị viên Server Tài liệu của bạn.",
"DE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "DE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Mất kết nối server. Không thể chỉnh sửa tài liệu ngay lúc này.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Mất kết nối server. Không thể chỉnh sửa tài liệu ngay lúc này.",
"DE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.<br>Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.<br><br>Tìm thêm thông tin về kết nối Server Tài liệu <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">ở đây</a>", "DE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.<br>Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.<br><br>Tìm thêm thông tin về kết nối Server Tài liệu <a href=\"%1\" target=\"_blank\">ở đây</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.<br>Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ trong trường hợp lỗi vẫn còn.", "DE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.<br>Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ trong trường hợp lỗi vẫn còn.",
"DE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.", "DE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.",
"DE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1", "DE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1",
@ -357,7 +357,7 @@
"DE.Controllers.Main.warnBrowserIE9": "Ứng dụng vận hành kém trên IE9. Sử dụng IE10 hoặc cao hơn", "DE.Controllers.Main.warnBrowserIE9": "Ứng dụng vận hành kém trên IE9. Sử dụng IE10 hoặc cao hơn",
"DE.Controllers.Main.warnBrowserZoom": "Hiện cài đặt thu phóng trình duyệt của bạn không được hỗ trợ đầy đủ. Vui lòng thiết lập lại chế độ thu phóng mặc định bằng cách nhấn Ctrl+0.", "DE.Controllers.Main.warnBrowserZoom": "Hiện cài đặt thu phóng trình duyệt của bạn không được hỗ trợ đầy đủ. Vui lòng thiết lập lại chế độ thu phóng mặc định bằng cách nhấn Ctrl+0.",
"DE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn.<br>Vui lòng cập nhật giấy phép và làm mới trang.", "DE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn.<br>Vui lòng cập nhật giấy phép và làm mới trang.",
"DE.Controllers.Main.warnNoLicense": "Bạn đang sử dụng phiên bản nguồn mở của ONLYOFFICE. Phiên bản có giới hạn các kết nối đồng thời với server tài liệu (20 kết nối cùng một lúc).<br>Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.", "DE.Controllers.Main.warnNoLicense": "Bạn đang sử dụng phiên bản nguồn mở của %1. Phiên bản có giới hạn các kết nối đồng thời với server tài liệu (20 kết nối cùng một lúc).<br>Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.",
"DE.Controllers.Main.warnProcessRightsChange": "Bạn đã bị từ chối quyền chỉnh sửa file này.", "DE.Controllers.Main.warnProcessRightsChange": "Bạn đã bị từ chối quyền chỉnh sửa file này.",
"DE.Controllers.Statusbar.textHasChanges": "Các thay đổi mới đã được đánh dấu", "DE.Controllers.Statusbar.textHasChanges": "Các thay đổi mới đã được đánh dấu",
"DE.Controllers.Statusbar.textTrackChanges": "Tài liệu được mở với chế độ Theo dõi Thay đổi được kích hoạt", "DE.Controllers.Statusbar.textTrackChanges": "Tài liệu được mở với chế độ Theo dõi Thay đổi được kích hoạt",

View file

@ -340,7 +340,7 @@
"DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.", "DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.",
"DE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "DE.Controllers.Main.errorBadImageUrl": "图片地址不正确",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", "DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑",
"DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。<br>当你点击“OK”按钮,系统将提示您下载文档。<br><br>找到更多信息连接文件服务器<a href=\"https://api.onlyoffice.com/editors/callback\" target=\"平等\">在这里</>", "DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。<br>当你点击“OK”按钮,系统将提示您下载文档。<br><br>找到更多信息连接文件服务器<a href=\"%1\" target=\"平等\">在这里</>",
"DE.Controllers.Main.errorDatabaseConnection": "外部错误。<br>数据库连接错误。如果错误仍然存​​在,请联系支持人员。", "DE.Controllers.Main.errorDatabaseConnection": "外部错误。<br>数据库连接错误。如果错误仍然存​​在,请联系支持人员。",
"DE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", "DE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。",
"DE.Controllers.Main.errorDataRange": "数据范围不正确", "DE.Controllers.Main.errorDataRange": "数据范围不正确",
@ -660,7 +660,7 @@
"DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。<br>请更新您的许可证并刷新页面。", "DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。<br>请更新您的许可证并刷新页面。",
"DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。<br>请联系您的账户管理员了解详情。", "DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。<br>请联系您的账户管理员了解详情。",
"DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。<br>如果需要更多请考虑购买商业许可证。", "DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。<br>如果需要更多请考虑购买商业许可证。",
"DE.Controllers.Main.warnNoLicenseUsers": "此版本的 ONLYOFFICE 编辑软件对并发用户数量有一定的限制。<br>如果需要更多,请考虑购买商用许可证。", "DE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。<br>如果需要更多,请考虑购买商用许可证。",
"DE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", "DE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"DE.Controllers.Navigation.txtBeginning": "文档开头", "DE.Controllers.Navigation.txtBeginning": "文档开头",
"DE.Controllers.Navigation.txtGotoBeginning": "转到文档开头", "DE.Controllers.Navigation.txtGotoBeginning": "转到文档开头",

View file

@ -84,6 +84,18 @@
vertical-align: middle; vertical-align: middle;
} }
} }
&.checked {
&:before {
display: none !important;
}
&, &:hover, &:focus {
background-color: @primary;
color: @dropdown-link-active-color;
span.color {
border-color: rgba(255,255,255,0.7);
}
}
}
} }
// page number position // page number position
.menu-pageposition { .menu-pageposition {

View file

@ -183,7 +183,7 @@ require([
//Store Framework7 initialized instance for easy access //Store Framework7 initialized instance for easy access
window.uiApp = new Framework7({ window.uiApp = new Framework7({
// Default title for modals // Default title for modals
modalTitle: '{{MOBILE_MODAL_TITLE}}', modalTitle: '{{APP_TITLE_TEXT}}',
// Enable tap hold events // Enable tap hold events
tapHold: true, tapHold: true,

View file

@ -553,7 +553,18 @@ define([
}, },
onShowHelp: function () { onShowHelp: function () {
window.open('{{SUPPORT_URL}}', "_blank"); var url = '{{HELP_URL}}';
if (url.charAt(url.length-1) !== '/') {
url += '/';
}
if (Common.SharedSettings.get('sailfish')) {
url+='mobile-applications/documents/sailfish/index.aspx';
} else if (Common.SharedSettings.get('android')) {
url+='mobile-applications/documents/android/index.aspx';
} else {
url+='mobile-applications/documents/index.aspx';
}
window.open(url, "_blank");
this.hideModal(); this.hideModal();
}, },

View file

@ -368,16 +368,6 @@
</ul> </ul>
</div> </div>
<div class="content-block-title display-subject"><%= scope.textSubject %></div>
<div class="list-block display-subject">
<ul>
<li class="item-content">
<div class="item-inner">
<div id="settings-doc-subject" class="item-title"><%= scope.textLoading %></div>
</div>
</li>
</ul>
</div>
<div class="content-block-title display-title"><%= scope.textTitle %></div> <div class="content-block-title display-title"><%= scope.textTitle %></div>
<div class="list-block display-title"> <div class="list-block display-title">
<ul> <ul>
@ -388,6 +378,16 @@
</li> </li>
</ul> </ul>
</div> </div>
<div class="content-block-title display-subject"><%= scope.textSubject %></div>
<div class="list-block display-subject">
<ul>
<li class="item-content">
<div class="item-inner">
<div id="settings-doc-subject" class="item-title"><%= scope.textLoading %></div>
</div>
</li>
</ul>
</div>
<div class="content-block-title display-comment"><%= scope.textComment %></div> <div class="content-block-title display-comment"><%= scope.textComment %></div>
<div class="list-block display-comment"> <div class="list-block display-comment">
<ul> <ul>
@ -633,21 +633,21 @@
</div> </div>
<div class="content-block"> <div class="content-block">
<h3>DOCUMENT EDITOR</h3> <h3>DOCUMENT EDITOR</h3>
<h3><%= scope.textVersion %> {{PRODUCT_VERSION}}</h3> <h3><%= scope.textVersion %> <%= prodversion %></h3>
</div> </div>
<div class="content-block"> <div class="content-block">
<h3 id="settings-about-name" class="vendor">{{PUBLISHER_NAME}}</h3> <h3 id="settings-about-name" class="vendor"><%= publishername %></h3>
<p><label><%= scope.textAddress %>:</label><a id="settings-about-address" class="external" href="#">{{PUBLISHER_ADDRESS}}</a></p> <p><label><%= scope.textAddress %>:</label><a id="settings-about-address" class="external" href="#"><%= publisheraddr %></a></p>
<p><label><%= scope.textEmail %>:</label><a id="settings-about-email" class="external" target="_blank" href="mailto:{{SUPPORT_EMAIL}}">{{SUPPORT_EMAIL}}</a></p> <p><label><%= scope.textEmail %>:</label><a id="settings-about-email" class="external" target="_blank" href="mailto:<%= supportemail %>"><%= supportemail %></a></p>
<p><label><%= scope.textTel %>:</label><a id="settings-about-tel" class="external" target="_blank" href="tel:{{PUBLISHER_PHONE}}">{{PUBLISHER_PHONE}}</a></p> <p><label><%= scope.textTel %>:</label><a id="settings-about-tel" class="external" target="_blank" href="tel:<%= phonenum %>"><%= phonenum %></a></p>
<p><a id="settings-about-url" class="external" target="_blank" href="{{PUBLISHER_URL}}"><% print(/^(?:https?:\/{2})?(\S+)/.exec('{{PUBLISHER_URL}}')[1]); %></a></p> <p><a id="settings-about-url" class="external" target="_blank" href="<%= publisherurl %>"><%= printed_url %></a></p>
<p><label id="settings-about-info" style="display: none;"></label></p> <p><label id="settings-about-info" style="display: none;"></label></p>
</div> </div>
<div class="content-block" id="settings-about-licensor" style="display: none;"> <div class="content-block" id="settings-about-licensor" style="display: none;">
<div class="content-block-inner" style="padding-top:0; padding-bottom: 1px;"/> <div class="content-block-inner" style="padding-top:0; padding-bottom: 1px;"></div>
<p><label><%= scope.textPoweredBy %></label></p> <p><label><%= scope.textPoweredBy %></label></p>
<h3 class="vendor">{{PUBLISHER_NAME}}</h3> <h3 class="vendor"><%= publishername %></h3>
<p><a class="external" target="_blank" href="{{PUBLISHER_URL}}"><% print(/^(?:https?:\/{2})?(\S+)/.exec('{{PUBLISHER_URL}}')[1]); %></a></p> <p><a class="external" target="_blank" href="<%= publisherurl %>"><%= printed_url %></a></p>
</div> </div>
</div> </div>
</div> </div>

View file

@ -91,7 +91,14 @@ define([
phone : Common.SharedSettings.get('phone'), phone : Common.SharedSettings.get('phone'),
orthography: Common.SharedSettings.get('sailfish'), orthography: Common.SharedSettings.get('sailfish'),
scope : this, scope : this,
width : $(window).width() width : $(window).width(),
prodversion: '{{PRODUCT_VERSION}}',
publishername: '{{PUBLISHER_NAME}}',
publisheraddr: '{{PUBLISHER_ADDRESS}}',
publisherurl: '{{PUBLISHER_URL}}',
printed_url: ("{{PUBLISHER_URL}}").replace(/https?:\/{2}/, "").replace(/\/$/,""),
supportemail: '{{SUPPORT_EMAIL}}',
phonenum: '{{PUBLISHER_PHONE}}'
})); }));
return this; return this;

View file

@ -14,8 +14,6 @@
"DE.Controllers.AddTable.textColumns": "Колони", "DE.Controllers.AddTable.textColumns": "Колони",
"DE.Controllers.AddTable.textRows": "Редове", "DE.Controllers.AddTable.textRows": "Редове",
"DE.Controllers.AddTable.textTableSize": "Размер на таблицата", "DE.Controllers.AddTable.textTableSize": "Размер на таблицата",
"DE.Controllers.DocumentHolder.menuAccept": "Приемам",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Приемам всичко",
"DE.Controllers.DocumentHolder.menuAddLink": "Добавяне на връзка", "DE.Controllers.DocumentHolder.menuAddLink": "Добавяне на връзка",
"DE.Controllers.DocumentHolder.menuCopy": "Копие", "DE.Controllers.DocumentHolder.menuCopy": "Копие",
"DE.Controllers.DocumentHolder.menuCut": "Изрежи", "DE.Controllers.DocumentHolder.menuCut": "Изрежи",
@ -24,8 +22,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Повече", "DE.Controllers.DocumentHolder.menuMore": "Повече",
"DE.Controllers.DocumentHolder.menuOpenLink": "Отвори линк", "DE.Controllers.DocumentHolder.menuOpenLink": "Отвори линк",
"DE.Controllers.DocumentHolder.menuPaste": "Паста", "DE.Controllers.DocumentHolder.menuPaste": "Паста",
"DE.Controllers.DocumentHolder.menuReject": "Отхвърляне",
"DE.Controllers.DocumentHolder.menuRejectAll": "Отхвърли всички",
"DE.Controllers.DocumentHolder.menuReview": "Преглед", "DE.Controllers.DocumentHolder.menuReview": "Преглед",
"DE.Controllers.DocumentHolder.sheetCancel": "Отказ", "DE.Controllers.DocumentHolder.sheetCancel": "Отказ",
"DE.Controllers.DocumentHolder.textGuest": "Гост", "DE.Controllers.DocumentHolder.textGuest": "Гост",
@ -62,7 +58,7 @@
"DE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права. <br> Моля, свържете се с администратора на сървъра за документи.", "DE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права. <br> Моля, свържете се с администратора на сървъра за документи.",
"DE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "DE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Вече не можете да редактирате.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Вече не можете да редактирате.",
"DE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си. <br> Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа. <br> <br> Намерете повече информация за свързването на сървър за документи <a href = \"https: //api.onlyoffice.com/editors/callback \"target =\" _ blank \"> тук </a>", "DE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.<br>Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа. <br><br>Намерете повече информация за свързването на сървър за документи <a href=\"%1\" target=\"_blank\">тук</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Външна грешка. <br> Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка.", "DE.Controllers.Main.errorDatabaseConnection": "Външна грешка. <br> Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка.",
"DE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да се дефинират.", "DE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да се дефинират.",
"DE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.", "DE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.",
@ -166,8 +162,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. <br> За повече информация се обърнете към администратора.", "DE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. <br> За повече информация се обърнете към администратора.",
"DE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. <br> Моля, актуализирайте лиценза си и опреснете страницата.", "DE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. <br> Моля, актуализирайте лиценза си и опреснете страницата.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. <br> За повече информация се свържете с администратора си.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. <br> За повече информация се свържете с администратора си.",
"DE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.", "DE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"DE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.", "DE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"DE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.", "DE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"DE.Controllers.Search.textNoTextFound": "Текстът не е намерен", "DE.Controllers.Search.textNoTextFound": "Текстът не е намерен",
"DE.Controllers.Search.textReplaceAll": "Замяна на всички", "DE.Controllers.Search.textReplaceAll": "Замяна на всички",

View file

@ -14,7 +14,6 @@
"DE.Controllers.AddTable.textColumns": "Sloupce", "DE.Controllers.AddTable.textColumns": "Sloupce",
"DE.Controllers.AddTable.textRows": "Řádky", "DE.Controllers.AddTable.textRows": "Řádky",
"DE.Controllers.AddTable.textTableSize": "Velikost tabulky", "DE.Controllers.AddTable.textTableSize": "Velikost tabulky",
"DE.Controllers.DocumentHolder.menuAccept": "Přijmout",
"DE.Controllers.DocumentHolder.menuAddLink": "Přidat odkaz", "DE.Controllers.DocumentHolder.menuAddLink": "Přidat odkaz",
"DE.Controllers.DocumentHolder.menuCopy": "Kopírovat", "DE.Controllers.DocumentHolder.menuCopy": "Kopírovat",
"DE.Controllers.DocumentHolder.menuCut": "Vyjmout", "DE.Controllers.DocumentHolder.menuCut": "Vyjmout",
@ -23,7 +22,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Více", "DE.Controllers.DocumentHolder.menuMore": "Více",
"DE.Controllers.DocumentHolder.menuOpenLink": "Otevřít odkaz", "DE.Controllers.DocumentHolder.menuOpenLink": "Otevřít odkaz",
"DE.Controllers.DocumentHolder.menuPaste": "Vložit", "DE.Controllers.DocumentHolder.menuPaste": "Vložit",
"DE.Controllers.DocumentHolder.menuReject": "Odmítnout",
"DE.Controllers.DocumentHolder.sheetCancel": "Zrušit", "DE.Controllers.DocumentHolder.sheetCancel": "Zrušit",
"DE.Controllers.DocumentHolder.textGuest": "Návštěvník", "DE.Controllers.DocumentHolder.textGuest": "Návštěvník",
"DE.Controllers.EditContainer.textChart": "Graf", "DE.Controllers.EditContainer.textChart": "Graf",
@ -58,7 +56,7 @@
"DE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.<br>Prosím, kontaktujte administrátora vašeho Dokumentového serveru.", "DE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.<br>Prosím, kontaktujte administrátora vašeho Dokumentového serveru.",
"DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové připojení bylo ztraceno. Nadále nemůžete editovat.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové připojení bylo ztraceno. Nadále nemůžete editovat.",
"DE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.<br> Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.<br><br> Více informací o připojení najdete v Dokumentovém serveru <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "DE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.<br> Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.<br><br> Více informací o připojení najdete v Dokumentovém serveru <a href=\"%1\" target=\"_blank\">here</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Externí chyba.<br>Chyba připojení k databázi. Prosím, kontaktujte podporu.", "DE.Controllers.Main.errorDatabaseConnection": "Externí chyba.<br>Chyba připojení k databázi. Prosím, kontaktujte podporu.",
"DE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.", "DE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.",
"DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1",
@ -153,7 +151,7 @@
"DE.Controllers.Main.uploadImageTitleText": "Nahrávání obrázku", "DE.Controllers.Main.uploadImageTitleText": "Nahrávání obrázku",
"DE.Controllers.Main.waitText": "Čekejte prosím ...", "DE.Controllers.Main.waitText": "Čekejte prosím ...",
"DE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela.<br>Prosím, aktualizujte vaší licenci a obnovte stránku.", "DE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela.<br>Prosím, aktualizujte vaší licenci a obnovte stránku.",
"DE.Controllers.Main.warnNoLicense": "Používáte verzi open source ONLYOFFICE. Verze má omezení pro souběžné připojení k dokumentovému serveru (20 připojení najednou).<br>Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.", "DE.Controllers.Main.warnNoLicense": "Používáte verzi open source %1. Verze má omezení pro souběžné připojení k dokumentovému serveru (20 připojení najednou).<br>Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.",
"DE.Controllers.Main.warnProcessRightsChange": "Bylo Vám odebráno právo upravovat tento soubor.", "DE.Controllers.Main.warnProcessRightsChange": "Bylo Vám odebráno právo upravovat tento soubor.",
"DE.Controllers.Search.textNoTextFound": "Text nebyl nalezen", "DE.Controllers.Search.textNoTextFound": "Text nebyl nalezen",
"DE.Controllers.Search.textReplaceAll": "Nahradit vše", "DE.Controllers.Search.textReplaceAll": "Nahradit vše",

View file

@ -14,8 +14,6 @@
"DE.Controllers.AddTable.textColumns": "Spalten", "DE.Controllers.AddTable.textColumns": "Spalten",
"DE.Controllers.AddTable.textRows": "Zeilen", "DE.Controllers.AddTable.textRows": "Zeilen",
"DE.Controllers.AddTable.textTableSize": "Tabellengröße", "DE.Controllers.AddTable.textTableSize": "Tabellengröße",
"DE.Controllers.DocumentHolder.menuAccept": "Annehmen",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Alles annehmen",
"DE.Controllers.DocumentHolder.menuAddLink": "Link hinzufügen", "DE.Controllers.DocumentHolder.menuAddLink": "Link hinzufügen",
"DE.Controllers.DocumentHolder.menuCopy": "Kopieren", "DE.Controllers.DocumentHolder.menuCopy": "Kopieren",
"DE.Controllers.DocumentHolder.menuCut": "Ausschneiden", "DE.Controllers.DocumentHolder.menuCut": "Ausschneiden",
@ -24,8 +22,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Mehr", "DE.Controllers.DocumentHolder.menuMore": "Mehr",
"DE.Controllers.DocumentHolder.menuOpenLink": "Link öffnen", "DE.Controllers.DocumentHolder.menuOpenLink": "Link öffnen",
"DE.Controllers.DocumentHolder.menuPaste": "Einfügen", "DE.Controllers.DocumentHolder.menuPaste": "Einfügen",
"DE.Controllers.DocumentHolder.menuReject": "Ablehnen",
"DE.Controllers.DocumentHolder.menuRejectAll": "Alles ablehnen",
"DE.Controllers.DocumentHolder.menuReview": "Review", "DE.Controllers.DocumentHolder.menuReview": "Review",
"DE.Controllers.DocumentHolder.sheetCancel": "Abbrechen", "DE.Controllers.DocumentHolder.sheetCancel": "Abbrechen",
"DE.Controllers.DocumentHolder.textGuest": "Gast", "DE.Controllers.DocumentHolder.textGuest": "Gast",
@ -62,7 +58,7 @@
"DE.Controllers.Main.errorAccessDeny": "Sie versuchen die Änderungen vorzunehemen, für die Sie keine Berechtigungen haben.<br>Wenden Sie sich an Ihren Document Server Serveradministrator.", "DE.Controllers.Main.errorAccessDeny": "Sie versuchen die Änderungen vorzunehemen, für die Sie keine Berechtigungen haben.<br>Wenden Sie sich an Ihren Document Server Serveradministrator.",
"DE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "DE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Sie können nicht mehr editieren.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Sie können nicht mehr editieren.",
"DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.<br>Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.<br><br>Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">hier</a>", "DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.<br>Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.<br><br>Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie <a href=\"%1\" target=\"_blank\">hier</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.<br>Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.", "DE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.<br>Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.",
"DE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", "DE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.",
"DE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", "DE.Controllers.Main.errorDataRange": "Falscher Datenbereich.",
@ -166,8 +162,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.", "DE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"DE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen.<br>Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.", "DE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen.<br>Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Die Anzahl der gleichzeitigen Benutzer wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Die Anzahl der gleichzeitigen Benutzer wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"DE.Controllers.Main.warnNoLicense": "Diese Version von ONLYOFFICE Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver.<br>Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.", "DE.Controllers.Main.warnNoLicense": "Diese Version von %1 Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver.<br>Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
"DE.Controllers.Main.warnNoLicenseUsers": "Diese Version von ONLYOFFICE Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. <br> Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.", "DE.Controllers.Main.warnNoLicenseUsers": "Diese Version von %1 Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. <br> Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
"DE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.", "DE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.",
"DE.Controllers.Search.textNoTextFound": "Der Text wurde nicht gefunden.", "DE.Controllers.Search.textNoTextFound": "Der Text wurde nicht gefunden.",
"DE.Controllers.Search.textReplaceAll": "Alle ersetzen", "DE.Controllers.Search.textReplaceAll": "Alle ersetzen",

View file

@ -1,67 +1,81 @@
{ {
"Common.Controllers.Collaboration.textAtLeast": "at least",
"Common.Controllers.Collaboration.textAuto": "auto",
"Common.Controllers.Collaboration.textBaseline": "Baseline",
"Common.Controllers.Collaboration.textBold": "Bold",
"Common.Controllers.Collaboration.textBreakBefore": "Page break before",
"Common.Controllers.Collaboration.textCaps": "All caps",
"Common.Controllers.Collaboration.textCenter": "Align center",
"Common.Controllers.Collaboration.textChart": "Chart",
"Common.Controllers.Collaboration.textColor": "Font color",
"Common.Controllers.Collaboration.textContextual": "Don't add interval between paragraphs of the same style",
"Common.Controllers.Collaboration.textDeleted": "<b>Deleted:</b>",
"Common.Controllers.Collaboration.textDStrikeout": "Double strikeout",
"Common.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.",
"Common.Controllers.Collaboration.textEquation": "Equation",
"Common.Controllers.Collaboration.textExact": "exactly",
"Common.Controllers.Collaboration.textFirstLine": "First line",
"Common.Controllers.Collaboration.textFormatted": "Formatted",
"Common.Controllers.Collaboration.textHighlight": "Highlight color",
"Common.Controllers.Collaboration.textImage": "Image",
"Common.Controllers.Collaboration.textIndentLeft": "Indent left",
"Common.Controllers.Collaboration.textIndentRight": "Indent right",
"Common.Controllers.Collaboration.textInserted": "<b>Inserted:</b>",
"Common.Controllers.Collaboration.textItalic": "Italic",
"Common.Controllers.Collaboration.textJustify": "Align justify",
"Common.Controllers.Collaboration.textKeepLines": "Keep lines together",
"Common.Controllers.Collaboration.textKeepNext": "Keep with next",
"Common.Controllers.Collaboration.textLeft": "Align left",
"Common.Controllers.Collaboration.textLineSpacing": "Line Spacing: ",
"Common.Controllers.Collaboration.textMultiple": "multiple",
"Common.Controllers.Collaboration.textNoBreakBefore": "No page break before",
"Common.Controllers.Collaboration.textNoContextual": "Add interval between paragraphs of the same style",
"Common.Controllers.Collaboration.textNoKeepLines": "Don't keep lines together",
"Common.Controllers.Collaboration.textNoKeepNext": "Don't keep with next",
"Common.Controllers.Collaboration.textNot": "Not",
"Common.Controllers.Collaboration.textNoWidow": "No widow control",
"Common.Controllers.Collaboration.textNum": "Change numbering",
"Common.Controllers.Collaboration.textParaDeleted": "<b>Paragraph Deleted</b>",
"Common.Controllers.Collaboration.textParaFormatted": "<b>Paragraph Formatted</b>",
"Common.Controllers.Collaboration.textParaInserted": "<b>Paragraph Inserted</b>",
"Common.Controllers.Collaboration.textParaMoveFromDown": "<b>Moved Down:</b>",
"Common.Controllers.Collaboration.textParaMoveFromUp": "<b>Moved Up:</b>",
"Common.Controllers.Collaboration.textParaMoveTo": "<b>Moved:</b>",
"Common.Controllers.Collaboration.textPosition": "Position",
"Common.Controllers.Collaboration.textRight": "Align right",
"Common.Controllers.Collaboration.textShape": "Shape",
"Common.Controllers.Collaboration.textShd": "Background color",
"Common.Controllers.Collaboration.textSmallCaps": "Small caps",
"Common.Controllers.Collaboration.textSpacing": "Spacing",
"Common.Controllers.Collaboration.textSpacingAfter": "Spacing after",
"Common.Controllers.Collaboration.textSpacingBefore": "Spacing before",
"Common.Controllers.Collaboration.textStrikeout": "Strikeout",
"Common.Controllers.Collaboration.textSubScript": "Subscript",
"Common.Controllers.Collaboration.textSuperScript": "Superscript",
"Common.Controllers.Collaboration.textTableChanged": "<b>Table Settings Changed</b>",
"Common.Controllers.Collaboration.textTableRowsAdd": "<b>Table Rows Added<b/>",
"Common.Controllers.Collaboration.textTableRowsDel": "<b>Table Rows Deleted<b/>",
"Common.Controllers.Collaboration.textTabs": "Change tabs",
"Common.Controllers.Collaboration.textUnderline": "Underline",
"Common.Controllers.Collaboration.textWidow": "Widow control",
"Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors", "Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors",
"Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors", "Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors",
"Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtCm": "cm",
"Common.Utils.Metric.txtPt": "pt", "Common.Utils.Metric.txtPt": "pt",
"Common.Controllers.Collaboration.textInserted": "<b>Inserted:</b>", "Common.Views.Collaboration.textAcceptAllChanges": "Accept All Changes",
"Common.Controllers.Collaboration.textDeleted": "<b>Deleted:</b>", "Common.Views.Collaboration.textBack": "Back",
"Common.Controllers.Collaboration.textParaInserted": "<b>Paragraph Inserted</b>", "Common.Views.Collaboration.textChange": "Review Change",
"Common.Controllers.Collaboration.textParaDeleted": "<b>Paragraph Deleted</b>", "Common.Views.Collaboration.textCollaboration": "Collaboration",
"Common.Controllers.Collaboration.textFormatted": "Formatted", "Common.Views.Collaboration.textDisplayMode": "Display Mode",
"Common.Controllers.Collaboration.textParaFormatted": "<b>Paragraph Formatted</b>", "Common.Views.Collaboration.textEditUsers": "Users",
"Common.Controllers.Collaboration.textNot": "Not", "Common.Views.Collaboration.textFinal": "Final",
"Common.Controllers.Collaboration.textBold": "Bold", "Common.Views.Collaboration.textMarkup": "Markup",
"Common.Controllers.Collaboration.textItalic": "Italic", "Common.Views.Collaboration.textNoComments": "This document doesn't contain comments",
"Common.Controllers.Collaboration.textStrikeout": "Strikeout", "Common.Views.Collaboration.textOriginal": "Original",
"Common.Controllers.Collaboration.textUnderline": "Underline", "Common.Views.Collaboration.textRejectAllChanges": "Reject All Changes",
"Common.Controllers.Collaboration.textColor": "Font color", "Common.Views.Collaboration.textReview": "Track Changes",
"Common.Controllers.Collaboration.textBaseline": "Baseline", "Common.Views.Collaboration.textReviewing": "Review",
"Common.Controllers.Collaboration.textSuperScript": "Superscript", "Common.Views.Collaboration.textСomments": "Сomments",
"Common.Controllers.Collaboration.textSubScript": "Subscript",
"Common.Controllers.Collaboration.textHighlight": "Highlight color",
"Common.Controllers.Collaboration.textSpacing": "Spacing",
"Common.Controllers.Collaboration.textDStrikeout": "Double strikeout",
"Common.Controllers.Collaboration.textCaps": "All caps",
"Common.Controllers.Collaboration.textSmallCaps": "Small caps",
"Common.Controllers.Collaboration.textPosition": "Position",
"Common.Controllers.Collaboration.textShd": "Background color",
"Common.Controllers.Collaboration.textContextual": "Don't add interval between paragraphs of the same style",
"Common.Controllers.Collaboration.textNoContextual": "Add interval between paragraphs of the same style",
"Common.Controllers.Collaboration.textIndentLeft": "Indent left",
"Common.Controllers.Collaboration.textIndentRight": "Indent right",
"Common.Controllers.Collaboration.textFirstLine": "First line",
"Common.Controllers.Collaboration.textRight": "Align right",
"Common.Controllers.Collaboration.textLeft": "Align left",
"Common.Controllers.Collaboration.textCenter": "Align center",
"Common.Controllers.Collaboration.textJustify": "Align justify",
"Common.Controllers.Collaboration.textBreakBefore": "Page break before",
"Common.Controllers.Collaboration.textKeepNext": "Keep with next",
"Common.Controllers.Collaboration.textKeepLines": "Keep lines together",
"Common.Controllers.Collaboration.textNoBreakBefore": "No page break before",
"Common.Controllers.Collaboration.textNoKeepNext": "Don't keep with next",
"Common.Controllers.Collaboration.textNoKeepLines": "Don't keep lines together",
"Common.Controllers.Collaboration.textLineSpacing": "Line Spacing: ",
"Common.Controllers.Collaboration.textMultiple": "multiple",
"Common.Controllers.Collaboration.textAtLeast": "at least",
"Common.Controllers.Collaboration.textExact": "exactly",
"Common.Controllers.Collaboration.textSpacingBefore": "Spacing before",
"Common.Controllers.Collaboration.textSpacingAfter": "Spacing after",
"Common.Controllers.Collaboration.textAuto": "auto",
"Common.Controllers.Collaboration.textWidow": "Widow control",
"Common.Controllers.Collaboration.textNoWidow": "No widow control",
"Common.Controllers.Collaboration.textTabs": "Change tabs",
"Common.Controllers.Collaboration.textNum": "Change numbering",
"Common.Controllers.Collaboration.textEquation": "Equation",
"Common.Controllers.Collaboration.textImage": "Image",
"Common.Controllers.Collaboration.textChart": "Chart",
"Common.Controllers.Collaboration.textShape": "Shape",
"Common.Controllers.Collaboration.textTableChanged": "<b>Table Settings Changed</b>",
"Common.Controllers.Collaboration.textTableRowsAdd": "<b>Table Rows Added<b/>",
"Common.Controllers.Collaboration.textTableRowsDel": "<b>Table Rows Deleted<b/>",
"Common.Controllers.Collaboration.textParaMoveTo": "<b>Moved:</b>",
"Common.Controllers.Collaboration.textParaMoveFromUp": "<b>Moved Up:</b>",
"Common.Controllers.Collaboration.textParaMoveFromDown": "<b>Moved Down:</b>",
"Common.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.",
"DE.Controllers.AddContainer.textImage": "Image", "DE.Controllers.AddContainer.textImage": "Image",
"DE.Controllers.AddContainer.textOther": "Other", "DE.Controllers.AddContainer.textOther": "Other",
"DE.Controllers.AddContainer.textShape": "Shape", "DE.Controllers.AddContainer.textShape": "Shape",
@ -75,67 +89,6 @@
"DE.Controllers.AddTable.textColumns": "Columns", "DE.Controllers.AddTable.textColumns": "Columns",
"DE.Controllers.AddTable.textRows": "Rows", "DE.Controllers.AddTable.textRows": "Rows",
"DE.Controllers.AddTable.textTableSize": "Table Size", "DE.Controllers.AddTable.textTableSize": "Table Size",
"del_DE.Controllers.Collaboration.textAtLeast": "at least",
"del_DE.Controllers.Collaboration.textAuto": "auto",
"del_DE.Controllers.Collaboration.textBaseline": "Baseline",
"del_DE.Controllers.Collaboration.textBold": "Bold",
"del_DE.Controllers.Collaboration.textBreakBefore": "Page break before",
"del_DE.Controllers.Collaboration.textCaps": "All caps",
"del_DE.Controllers.Collaboration.textCenter": "Align center",
"del_DE.Controllers.Collaboration.textChart": "Chart",
"del_DE.Controllers.Collaboration.textColor": "Font color",
"del_DE.Controllers.Collaboration.textContextual": "Don't add interval between paragraphs of the same style",
"del_DE.Controllers.Collaboration.textDeleted": "<b>Deleted:</b>",
"del_DE.Controllers.Collaboration.textDStrikeout": "Double strikeout",
"del_DE.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.",
"del_DE.Controllers.Collaboration.textEquation": "Equation",
"del_DE.Controllers.Collaboration.textExact": "exactly",
"del_DE.Controllers.Collaboration.textFirstLine": "First line",
"del_DE.Controllers.Collaboration.textFormatted": "Formatted",
"del_DE.Controllers.Collaboration.textHighlight": "Highlight color",
"del_DE.Controllers.Collaboration.textImage": "Image",
"del_DE.Controllers.Collaboration.textIndentLeft": "Indent left",
"del_DE.Controllers.Collaboration.textIndentRight": "Indent right",
"del_DE.Controllers.Collaboration.textInserted": "<b>Inserted:</b>",
"del_DE.Controllers.Collaboration.textItalic": "Italic",
"del_DE.Controllers.Collaboration.textJustify": "Align justify",
"del_DE.Controllers.Collaboration.textKeepLines": "Keep lines together",
"del_DE.Controllers.Collaboration.textKeepNext": "Keep with next",
"del_DE.Controllers.Collaboration.textLeft": "Align left",
"del_DE.Controllers.Collaboration.textLineSpacing": "Line Spacing: ",
"del_DE.Controllers.Collaboration.textMultiple": "multiple",
"del_DE.Controllers.Collaboration.textNoBreakBefore": "No page break before",
"del_DE.Controllers.Collaboration.textNoContextual": "Add interval between paragraphs of the same style",
"del_DE.Controllers.Collaboration.textNoKeepLines": "Don't keep lines together",
"del_DE.Controllers.Collaboration.textNoKeepNext": "Don't keep with next",
"del_DE.Controllers.Collaboration.textNot": "Not",
"del_DE.Controllers.Collaboration.textNoWidow": "No widow control",
"del_DE.Controllers.Collaboration.textNum": "Change numbering",
"del_DE.Controllers.Collaboration.textParaDeleted": "<b>Paragraph Deleted</b>",
"del_DE.Controllers.Collaboration.textParaFormatted": "<b>Paragraph Formatted</b>",
"del_DE.Controllers.Collaboration.textParaInserted": "<b>Paragraph Inserted</b>",
"del_DE.Controllers.Collaboration.textParaMoveFromDown": "<b>Moved Down:</b>",
"del_DE.Controllers.Collaboration.textParaMoveFromUp": "<b>Moved Up:</b>",
"del_DE.Controllers.Collaboration.textParaMoveTo": "<b>Moved:</b>",
"del_DE.Controllers.Collaboration.textPosition": "Position",
"del_DE.Controllers.Collaboration.textRight": "Align right",
"del_DE.Controllers.Collaboration.textShape": "Shape",
"del_DE.Controllers.Collaboration.textShd": "Background color",
"del_DE.Controllers.Collaboration.textSmallCaps": "Small caps",
"del_DE.Controllers.Collaboration.textSpacing": "Spacing",
"del_DE.Controllers.Collaboration.textSpacingAfter": "Spacing after",
"del_DE.Controllers.Collaboration.textSpacingBefore": "Spacing before",
"del_DE.Controllers.Collaboration.textStrikeout": "Strikeout",
"del_DE.Controllers.Collaboration.textSubScript": "Subscript",
"del_DE.Controllers.Collaboration.textSuperScript": "Superscript",
"del_DE.Controllers.Collaboration.textTableChanged": "<b>Table Settings Changed</b>",
"del_DE.Controllers.Collaboration.textTableRowsAdd": "<b>Table Rows Added<b/>",
"del_DE.Controllers.Collaboration.textTableRowsDel": "<b>Table Rows Deleted<b/>",
"del_DE.Controllers.Collaboration.textTabs": "Change tabs",
"del_DE.Controllers.Collaboration.textUnderline": "Underline",
"del_DE.Controllers.Collaboration.textWidow": "Widow control",
"del_DE.Controllers.DocumentHolder.menuAccept": "Accept",
"del_DE.Controllers.DocumentHolder.menuAcceptAll": "Accept All",
"DE.Controllers.DocumentHolder.menuAddLink": "Add Link", "DE.Controllers.DocumentHolder.menuAddLink": "Add Link",
"DE.Controllers.DocumentHolder.menuCopy": "Copy", "DE.Controllers.DocumentHolder.menuCopy": "Copy",
"DE.Controllers.DocumentHolder.menuCut": "Cut", "DE.Controllers.DocumentHolder.menuCut": "Cut",
@ -146,8 +99,6 @@
"DE.Controllers.DocumentHolder.menuMore": "More", "DE.Controllers.DocumentHolder.menuMore": "More",
"DE.Controllers.DocumentHolder.menuOpenLink": "Open Link", "DE.Controllers.DocumentHolder.menuOpenLink": "Open Link",
"DE.Controllers.DocumentHolder.menuPaste": "Paste", "DE.Controllers.DocumentHolder.menuPaste": "Paste",
"del_DE.Controllers.DocumentHolder.menuReject": "Reject",
"del_DE.Controllers.DocumentHolder.menuRejectAll": "Reject All",
"DE.Controllers.DocumentHolder.menuReview": "Review", "DE.Controllers.DocumentHolder.menuReview": "Review",
"DE.Controllers.DocumentHolder.menuReviewChange": "Review Change", "DE.Controllers.DocumentHolder.menuReviewChange": "Review Change",
"DE.Controllers.DocumentHolder.menuSplit": "Split Cell", "DE.Controllers.DocumentHolder.menuSplit": "Split Cell",
@ -341,19 +292,6 @@
"DE.Views.AddOther.textSectionBreak": "Section Break", "DE.Views.AddOther.textSectionBreak": "Section Break",
"DE.Views.AddOther.textStartFrom": "Start At", "DE.Views.AddOther.textStartFrom": "Start At",
"DE.Views.AddOther.textTip": "Screen Tip", "DE.Views.AddOther.textTip": "Screen Tip",
"del_DE.Views.Collaboration.textAcceptAllChanges": "Accept All Changes",
"del_DE.Views.Collaboration.textBack": "Back",
"del_DE.Views.Collaboration.textChange": "Review Change",
"del_DE.Views.Collaboration.textCollaboration": "Collaboration",
"del_DE.Views.Collaboration.textDisplayMode": "Display Mode",
"del_DE.Views.Collaboration.textEditUsers": "Users",
"del_DE.Views.Collaboration.textFinal": "Final",
"del_DE.Views.Collaboration.textMarkup": "Markup",
"del_DE.Views.Collaboration.textOriginal": "Original",
"del_DE.Views.Collaboration.textRejectAllChanges": "Reject All Changes",
"del_DE.Views.Collaboration.textReview": "Track Changes",
"del_DE.Views.Collaboration.textReviewing": "Review",
"del_DE.Views.Collaboration.textСomments": "Сomments",
"DE.Views.EditChart.textAlign": "Align", "DE.Views.EditChart.textAlign": "Align",
"DE.Views.EditChart.textBack": "Back", "DE.Views.EditChart.textBack": "Back",
"DE.Views.EditChart.textBackward": "Move Backward", "DE.Views.EditChart.textBackward": "Move Backward",
@ -519,14 +457,21 @@
"DE.Views.Settings.textAbout": "About", "DE.Views.Settings.textAbout": "About",
"DE.Views.Settings.textAddress": "address", "DE.Views.Settings.textAddress": "address",
"DE.Views.Settings.textAdvancedSettings": "Application Settings", "DE.Views.Settings.textAdvancedSettings": "Application Settings",
"DE.Views.Settings.textApplication": "Application",
"DE.Views.Settings.textAuthor": "Author", "DE.Views.Settings.textAuthor": "Author",
"DE.Views.Settings.textBack": "Back", "DE.Views.Settings.textBack": "Back",
"DE.Views.Settings.textBottom": "Bottom", "DE.Views.Settings.textBottom": "Bottom",
"DE.Views.Settings.textCentimeter": "Centimeter", "DE.Views.Settings.textCentimeter": "Centimeter",
"DE.Views.Settings.textCollaboration": "Collaboration",
"DE.Views.Settings.textColorSchemes": "Color Schemes", "DE.Views.Settings.textColorSchemes": "Color Schemes",
"DE.Views.Settings.textComment": "Comment",
"DE.Views.Settings.textCommentingDisplay": "Commenting Display",
"DE.Views.Settings.textCreated": "Created",
"DE.Views.Settings.textCreateDate": "Creation date", "DE.Views.Settings.textCreateDate": "Creation date",
"DE.Views.Settings.textCustom": "Custom", "DE.Views.Settings.textCustom": "Custom",
"DE.Views.Settings.textCustomSize": "Custom Size", "DE.Views.Settings.textCustomSize": "Custom Size",
"DE.Views.Settings.textDisplayComments": "Comments",
"DE.Views.Settings.textDisplayResolvedComments": "Resolved Comments",
"DE.Views.Settings.textDocInfo": "Document Info", "DE.Views.Settings.textDocInfo": "Document Info",
"DE.Views.Settings.textDocTitle": "Document title", "DE.Views.Settings.textDocTitle": "Document title",
"DE.Views.Settings.textDocumentFormats": "Document Formats", "DE.Views.Settings.textDocumentFormats": "Document Formats",
@ -543,11 +488,15 @@
"DE.Views.Settings.textHiddenTableBorders": "Hidden Table Borders", "DE.Views.Settings.textHiddenTableBorders": "Hidden Table Borders",
"DE.Views.Settings.textInch": "Inch", "DE.Views.Settings.textInch": "Inch",
"DE.Views.Settings.textLandscape": "Landscape", "DE.Views.Settings.textLandscape": "Landscape",
"DE.Views.Settings.textLastModified": "Last Modified",
"DE.Views.Settings.textLastModifiedBy": "Last Modified By",
"DE.Views.Settings.textLeft": "Left", "DE.Views.Settings.textLeft": "Left",
"DE.Views.Settings.textLoading": "Loading...", "DE.Views.Settings.textLoading": "Loading...",
"DE.Views.Settings.textLocation": "Location",
"DE.Views.Settings.textMargins": "Margins", "DE.Views.Settings.textMargins": "Margins",
"DE.Views.Settings.textNoCharacters": "Nonprinting Characters", "DE.Views.Settings.textNoCharacters": "Nonprinting Characters",
"DE.Views.Settings.textOrientation": "Orientation", "DE.Views.Settings.textOrientation": "Orientation",
"DE.Views.Settings.textOwner": "Owner",
"DE.Views.Settings.textPages": "Pages", "DE.Views.Settings.textPages": "Pages",
"DE.Views.Settings.textParagraphs": "Paragraphs", "DE.Views.Settings.textParagraphs": "Paragraphs",
"DE.Views.Settings.textPoint": "Point", "DE.Views.Settings.textPoint": "Point",
@ -561,38 +510,15 @@
"DE.Views.Settings.textSpaces": "Spaces", "DE.Views.Settings.textSpaces": "Spaces",
"DE.Views.Settings.textSpellcheck": "Spell Checking", "DE.Views.Settings.textSpellcheck": "Spell Checking",
"DE.Views.Settings.textStatistic": "Statistic", "DE.Views.Settings.textStatistic": "Statistic",
"DE.Views.Settings.textSubject": "Subject",
"DE.Views.Settings.textSymbols": "Symbols", "DE.Views.Settings.textSymbols": "Symbols",
"DE.Views.Settings.textTel": "tel", "DE.Views.Settings.textTel": "tel",
"DE.Views.Settings.textTitle": "Title",
"DE.Views.Settings.textTop": "Top", "DE.Views.Settings.textTop": "Top",
"DE.Views.Settings.textUnitOfMeasurement": "Unit of Measurement", "DE.Views.Settings.textUnitOfMeasurement": "Unit of Measurement",
"DE.Views.Settings.textUploaded": "Uploaded",
"DE.Views.Settings.textVersion": "Version", "DE.Views.Settings.textVersion": "Version",
"DE.Views.Settings.textWords": "Words", "DE.Views.Settings.textWords": "Words",
"DE.Views.Settings.unknownText": "Unknown", "DE.Views.Settings.unknownText": "Unknown",
"DE.Views.Settings.textCommentingDisplay": "Commenting Display", "DE.Views.Toolbar.textBack": "Back"
"DE.Views.Settings.textDisplayComments": "Comments",
"DE.Views.Settings.textDisplayResolvedComments": "Resolved Comments",
"DE.Views.Settings.textSubject": "Subject",
"DE.Views.Settings.textTitle": "Title",
"DE.Views.Settings.textComment": "Comment",
"DE.Views.Settings.textOwner": "Owner",
"DE.Views.Settings.textApplication": "Application",
"DE.Views.Settings.textLocation": "Location",
"DE.Views.Settings.textUploaded": "Uploaded",
"DE.Views.Settings.textLastModified": "Last Modified",
"DE.Views.Settings.textLastModifiedBy": "Last Modified By",
"DE.Views.Settings.textCreated": "Created",
"DE.Views.Toolbar.textBack": "Back",
"Common.Views.Collaboration.textCollaboration": "Collaboration",
"Common.Views.Collaboration.textReviewing": "Review",
"Common.Views.Collaboration.textСomments": "Сomments",
"Common.Views.Collaboration.textBack": "Back",
"Common.Views.Collaboration.textReview": "Track Changes",
"Common.Views.Collaboration.textAcceptAllChanges": "Accept All Changes",
"Common.Views.Collaboration.textRejectAllChanges": "Reject All Changes",
"Common.Views.Collaboration.textDisplayMode": "Display Mode",
"Common.Views.Collaboration.textMarkup": "Markup",
"Common.Views.Collaboration.textFinal": "Final",
"Common.Views.Collaboration.textOriginal": "Original",
"Common.Views.Collaboration.textChange": "Review Change",
"Common.Views.Collaboration.textEditUsers": "Users"
} }

View file

@ -1,21 +1,4 @@
{ {
"Common.UI.ThemeColorPalette.textStandartColors": "Colores estándar",
"Common.UI.ThemeColorPalette.textThemeColors": "Colores de tema",
"Common.Utils.Metric.txtCm": "cm",
"Common.Utils.Metric.txtPt": "pt",
"DE.Controllers.AddContainer.textImage": "Imagen",
"DE.Controllers.AddContainer.textOther": "Otro",
"DE.Controllers.AddContainer.textShape": "Forma",
"DE.Controllers.AddContainer.textTable": "Tabla",
"DE.Controllers.AddImage.textEmptyImgUrl": "Hay que especificar URL de imagen.",
"DE.Controllers.AddImage.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'",
"DE.Controllers.AddOther.textBelowText": "Bajo el texto",
"DE.Controllers.AddOther.textBottomOfPage": "Al pie de la página",
"DE.Controllers.AddOther.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'",
"DE.Controllers.AddTable.textCancel": "Cancelar",
"DE.Controllers.AddTable.textColumns": "Columnas",
"DE.Controllers.AddTable.textRows": "Filas",
"DE.Controllers.AddTable.textTableSize": "Tamaño de tabla",
"Common.Controllers.Collaboration.textAtLeast": "al menos", "Common.Controllers.Collaboration.textAtLeast": "al menos",
"Common.Controllers.Collaboration.textAuto": "auto", "Common.Controllers.Collaboration.textAuto": "auto",
"Common.Controllers.Collaboration.textBaseline": "Línea de base", "Common.Controllers.Collaboration.textBaseline": "Línea de base",
@ -75,8 +58,36 @@
"Common.Controllers.Collaboration.textTabs": "Cambiar tabuladores", "Common.Controllers.Collaboration.textTabs": "Cambiar tabuladores",
"Common.Controllers.Collaboration.textUnderline": "Subrayado", "Common.Controllers.Collaboration.textUnderline": "Subrayado",
"Common.Controllers.Collaboration.textWidow": "Widow control", "Common.Controllers.Collaboration.textWidow": "Widow control",
"DE.Controllers.DocumentHolder.menuAccept": "Aceptar", "Common.UI.ThemeColorPalette.textStandartColors": "Colores estándar",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Aceptar todo", "Common.UI.ThemeColorPalette.textThemeColors": "Colores de tema",
"Common.Utils.Metric.txtCm": "cm",
"Common.Utils.Metric.txtPt": "pt",
"Common.Views.Collaboration.textAcceptAllChanges": "Aceptar todos los cambios",
"Common.Views.Collaboration.textBack": "Atrás",
"Common.Views.Collaboration.textChange": "Revisar cambios",
"Common.Views.Collaboration.textCollaboration": "Colaboración",
"Common.Views.Collaboration.textDisplayMode": "Modo de visualización",
"Common.Views.Collaboration.textEditUsers": "Usuarios",
"Common.Views.Collaboration.textFinal": "Final",
"Common.Views.Collaboration.textMarkup": "Cambios",
"Common.Views.Collaboration.textOriginal": "Original",
"Common.Views.Collaboration.textRejectAllChanges": "Rechazar todos los cambios",
"Common.Views.Collaboration.textReview": "Seguimiento de cambios",
"Common.Views.Collaboration.textReviewing": "Revisión",
"Common.Views.Collaboration.textСomments": "Comentarios",
"DE.Controllers.AddContainer.textImage": "Imagen",
"DE.Controllers.AddContainer.textOther": "Otro",
"DE.Controllers.AddContainer.textShape": "Forma",
"DE.Controllers.AddContainer.textTable": "Tabla",
"DE.Controllers.AddImage.textEmptyImgUrl": "Hay que especificar URL de imagen.",
"DE.Controllers.AddImage.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'",
"DE.Controllers.AddOther.textBelowText": "Bajo el texto",
"DE.Controllers.AddOther.textBottomOfPage": "Al pie de la página",
"DE.Controllers.AddOther.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'",
"DE.Controllers.AddTable.textCancel": "Cancelar",
"DE.Controllers.AddTable.textColumns": "Columnas",
"DE.Controllers.AddTable.textRows": "Filas",
"DE.Controllers.AddTable.textTableSize": "Tamaño de tabla",
"DE.Controllers.DocumentHolder.menuAddLink": "Añadir enlace ", "DE.Controllers.DocumentHolder.menuAddLink": "Añadir enlace ",
"DE.Controllers.DocumentHolder.menuCopy": "Copiar ", "DE.Controllers.DocumentHolder.menuCopy": "Copiar ",
"DE.Controllers.DocumentHolder.menuCut": "Cortar", "DE.Controllers.DocumentHolder.menuCut": "Cortar",
@ -87,8 +98,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Más", "DE.Controllers.DocumentHolder.menuMore": "Más",
"DE.Controllers.DocumentHolder.menuOpenLink": "Abrir enlace", "DE.Controllers.DocumentHolder.menuOpenLink": "Abrir enlace",
"DE.Controllers.DocumentHolder.menuPaste": "Pegar", "DE.Controllers.DocumentHolder.menuPaste": "Pegar",
"DE.Controllers.DocumentHolder.menuReject": "Rechazar",
"DE.Controllers.DocumentHolder.menuRejectAll": "Rechazar todo",
"DE.Controllers.DocumentHolder.menuReview": "Revista", "DE.Controllers.DocumentHolder.menuReview": "Revista",
"DE.Controllers.DocumentHolder.menuReviewChange": "Revisar cambios", "DE.Controllers.DocumentHolder.menuReviewChange": "Revisar cambios",
"DE.Controllers.DocumentHolder.menuSplit": "Dividir celda", "DE.Controllers.DocumentHolder.menuSplit": "Dividir celda",
@ -234,7 +243,7 @@
"DE.Controllers.Main.warnLicenseExceeded": "Se ha excedido el número permitido de las conexiones simultáneas al servidor de documentos, y el documento se abrirá para sólo lectura.<br>Por favor, contacte con su administrador para recibir más información.", "DE.Controllers.Main.warnLicenseExceeded": "Se ha excedido el número permitido de las conexiones simultáneas al servidor de documentos, y el documento se abrirá para sólo lectura.<br>Por favor, contacte con su administrador para recibir más información.",
"DE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado.<br>Por favor, actualice su licencia y después recargue la página.", "DE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado.<br>Por favor, actualice su licencia y después recargue la página.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Se ha excedido el número permitido de los usuarios simultáneos, y el documento se abrirá para sólo lectura.<br>Por favor, contacte con su administrador para recibir más información.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Se ha excedido el número permitido de los usuarios simultáneos, y el documento se abrirá para sólo lectura.<br>Por favor, contacte con su administrador para recibir más información.",
"DE.Controllers.Main.warnNoLicense": "Esta versión de los Editores de ONLYOFFICE tiene ciertas limitaciones para el número de conexiones simultáneas al servidor de documentos.<br>Si se requiere más, por favor, considere comprar una licencia comercial.", "DE.Controllers.Main.warnNoLicense": "Esta versión de los editores de %1 tiene ciertas limitaciones para el número de conexiones simultáneas al servidor de documentos.<br>Si se requiere más, por favor, considere comprar una licencia comercial.",
"DE.Controllers.Main.warnNoLicenseUsers": "Esta versión de editores %1 tiene ciertas limitaciones para usuarios simultáneos.<br>Si necesita más, por favor, considere comprar una licencia comercial.", "DE.Controllers.Main.warnNoLicenseUsers": "Esta versión de editores %1 tiene ciertas limitaciones para usuarios simultáneos.<br>Si necesita más, por favor, considere comprar una licencia comercial.",
"DE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.", "DE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.",
"DE.Controllers.Search.textNoTextFound": "Texto no es encontrado", "DE.Controllers.Search.textNoTextFound": "Texto no es encontrado",
@ -281,19 +290,6 @@
"DE.Views.AddOther.textSectionBreak": "Salto de sección", "DE.Views.AddOther.textSectionBreak": "Salto de sección",
"DE.Views.AddOther.textStartFrom": "Empezar con", "DE.Views.AddOther.textStartFrom": "Empezar con",
"DE.Views.AddOther.textTip": "Consejos de pantalla", "DE.Views.AddOther.textTip": "Consejos de pantalla",
"Common.Views.Collaboration.textAcceptAllChanges": "Aceptar todos los cambios",
"Common.Views.Collaboration.textBack": "Atrás",
"Common.Views.Collaboration.textChange": "Revisar cambios",
"Common.Views.Collaboration.textCollaboration": "Colaboración",
"Common.Views.Collaboration.textDisplayMode": "Modo de visualización",
"Common.Views.Collaboration.textEditUsers": "Usuarios",
"Common.Views.Collaboration.textFinal": "Final",
"Common.Views.Collaboration.textMarkup": "Cambios",
"Common.Views.Collaboration.textOriginal": "Original",
"Common.Views.Collaboration.textRejectAllChanges": "Rechazar todos los cambios",
"Common.Views.Collaboration.textReview": "Seguimiento de cambios",
"Common.Views.Collaboration.textReviewing": "Revisión",
"Common.Views.Collaboration.textСomments": "Comentarios",
"DE.Views.EditChart.textAlign": "Alineación", "DE.Views.EditChart.textAlign": "Alineación",
"DE.Views.EditChart.textBack": "Atrás", "DE.Views.EditChart.textBack": "Atrás",
"DE.Views.EditChart.textBackward": "Mover atrás", "DE.Views.EditChart.textBackward": "Mover atrás",

View file

@ -1,21 +1,4 @@
{ {
"Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard",
"Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème",
"Common.Utils.Metric.txtCm": "cm",
"Common.Utils.Metric.txtPt": "pt",
"DE.Controllers.AddContainer.textImage": "Image",
"DE.Controllers.AddContainer.textOther": "Autre",
"DE.Controllers.AddContainer.textShape": "Forme",
"DE.Controllers.AddContainer.textTable": "Tableau",
"DE.Controllers.AddImage.textEmptyImgUrl": "Spécifiez URL de l'image",
"DE.Controllers.AddImage.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'",
"DE.Controllers.AddOther.textBelowText": "Sous le texte",
"DE.Controllers.AddOther.textBottomOfPage": "Bas de page",
"DE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'",
"DE.Controllers.AddTable.textCancel": "Annuler",
"DE.Controllers.AddTable.textColumns": "Colonnes",
"DE.Controllers.AddTable.textRows": "Lignes",
"DE.Controllers.AddTable.textTableSize": "Taille du tableau",
"Common.Controllers.Collaboration.textAtLeast": "au moins ", "Common.Controllers.Collaboration.textAtLeast": "au moins ",
"Common.Controllers.Collaboration.textAuto": "auto", "Common.Controllers.Collaboration.textAuto": "auto",
"Common.Controllers.Collaboration.textBaseline": "Ligne de base", "Common.Controllers.Collaboration.textBaseline": "Ligne de base",
@ -75,8 +58,36 @@
"Common.Controllers.Collaboration.textTabs": "Changer les tabulations", "Common.Controllers.Collaboration.textTabs": "Changer les tabulations",
"Common.Controllers.Collaboration.textUnderline": "Souligné", "Common.Controllers.Collaboration.textUnderline": "Souligné",
"Common.Controllers.Collaboration.textWidow": "Contrôle des veuves", "Common.Controllers.Collaboration.textWidow": "Contrôle des veuves",
"DE.Controllers.DocumentHolder.menuAccept": "Accepter", "Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Accepter tout", "Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème",
"Common.Utils.Metric.txtCm": "cm",
"Common.Utils.Metric.txtPt": "pt",
"Common.Views.Collaboration.textAcceptAllChanges": "Accepter toutes les modifications",
"Common.Views.Collaboration.textBack": "Retour",
"Common.Views.Collaboration.textChange": "Réviser modifications",
"Common.Views.Collaboration.textCollaboration": "Collaboration",
"Common.Views.Collaboration.textDisplayMode": "Mode d'affichage",
"Common.Views.Collaboration.textEditUsers": "Utilisateurs",
"Common.Views.Collaboration.textFinal": "Final",
"Common.Views.Collaboration.textMarkup": "Balisage",
"Common.Views.Collaboration.textOriginal": "Original",
"Common.Views.Collaboration.textRejectAllChanges": "Refuser toutes les modifications ",
"Common.Views.Collaboration.textReview": "Suivi des modifications",
"Common.Views.Collaboration.textReviewing": "Révision",
"Common.Views.Collaboration.textСomments": "Commentaires",
"DE.Controllers.AddContainer.textImage": "Image",
"DE.Controllers.AddContainer.textOther": "Autre",
"DE.Controllers.AddContainer.textShape": "Forme",
"DE.Controllers.AddContainer.textTable": "Tableau",
"DE.Controllers.AddImage.textEmptyImgUrl": "Spécifiez URL de l'image",
"DE.Controllers.AddImage.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'",
"DE.Controllers.AddOther.textBelowText": "Sous le texte",
"DE.Controllers.AddOther.textBottomOfPage": "Bas de page",
"DE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'",
"DE.Controllers.AddTable.textCancel": "Annuler",
"DE.Controllers.AddTable.textColumns": "Colonnes",
"DE.Controllers.AddTable.textRows": "Lignes",
"DE.Controllers.AddTable.textTableSize": "Taille du tableau",
"DE.Controllers.DocumentHolder.menuAddLink": "Ajouter le lien", "DE.Controllers.DocumentHolder.menuAddLink": "Ajouter le lien",
"DE.Controllers.DocumentHolder.menuCopy": "Copier", "DE.Controllers.DocumentHolder.menuCopy": "Copier",
"DE.Controllers.DocumentHolder.menuCut": "Couper", "DE.Controllers.DocumentHolder.menuCut": "Couper",
@ -87,8 +98,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Plus", "DE.Controllers.DocumentHolder.menuMore": "Plus",
"DE.Controllers.DocumentHolder.menuOpenLink": "Ouvrir le lien", "DE.Controllers.DocumentHolder.menuOpenLink": "Ouvrir le lien",
"DE.Controllers.DocumentHolder.menuPaste": "Coller", "DE.Controllers.DocumentHolder.menuPaste": "Coller",
"DE.Controllers.DocumentHolder.menuReject": "Rejeter",
"DE.Controllers.DocumentHolder.menuRejectAll": "Rejeter tout",
"DE.Controllers.DocumentHolder.menuReview": "Révision", "DE.Controllers.DocumentHolder.menuReview": "Révision",
"DE.Controllers.DocumentHolder.menuReviewChange": "Réviser modifications", "DE.Controllers.DocumentHolder.menuReviewChange": "Réviser modifications",
"DE.Controllers.DocumentHolder.menuSplit": "Fractionner la cellule", "DE.Controllers.DocumentHolder.menuSplit": "Fractionner la cellule",
@ -130,7 +139,7 @@
"DE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.", "DE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.",
"DE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte", "DE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.",
"DE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.<br>Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.<br><br>Trouvez plus d'informations sur la connexion au Serveur de Documents <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">ici</a>", "DE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.<br>Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.<br><br>Trouvez plus d'informations sur la connexion au Serveur de Documents <a href=\"%1\" target=\"_blank\">ici</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Erreur externe.<br>Erreur de connexion à la base de données.Contactez le support.", "DE.Controllers.Main.errorDatabaseConnection": "Erreur externe.<br>Erreur de connexion à la base de données.Contactez le support.",
"DE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.", "DE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.",
"DE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", "DE.Controllers.Main.errorDataRange": "Plage de données incorrecte.",
@ -234,8 +243,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées sur le serveur de documents a été dépassée et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.", "DE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées sur le serveur de documents a été dépassée et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.",
"DE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.<br>Veuillez mettre à jour votre licence et actualisez la page.", "DE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.<br>Veuillez mettre à jour votre licence et actualisez la page.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Le nombre d'utilisateurs simultanés a été dépassé et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Le nombre d'utilisateurs simultanés a été dépassé et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.",
"DE.Controllers.Main.warnNoLicense": "Cette version de ONLYOFFICE Editors a certaines limitations pour les connexions simultanées au serveur de documents.<br>Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.", "DE.Controllers.Main.warnNoLicense": "Cette version de %1 editors a certaines limitations pour les connexions simultanées au serveur de documents.<br>Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
"DE.Controllers.Main.warnNoLicenseUsers": "Cette version de ONLYOFFICE Editors a certaines limitations pour les utilisateurs simultanés.<br>Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.", "DE.Controllers.Main.warnNoLicenseUsers": "Cette version de %1 editors a certaines limitations pour les utilisateurs simultanés.<br>Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
"DE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.", "DE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.",
"DE.Controllers.Search.textNoTextFound": "Le texte est introuvable", "DE.Controllers.Search.textNoTextFound": "Le texte est introuvable",
"DE.Controllers.Search.textReplaceAll": "Remplacer tout", "DE.Controllers.Search.textReplaceAll": "Remplacer tout",
@ -281,19 +290,6 @@
"DE.Views.AddOther.textSectionBreak": "Saut de section", "DE.Views.AddOther.textSectionBreak": "Saut de section",
"DE.Views.AddOther.textStartFrom": "À partir de", "DE.Views.AddOther.textStartFrom": "À partir de",
"DE.Views.AddOther.textTip": "Info-bulle", "DE.Views.AddOther.textTip": "Info-bulle",
"Common.Views.Collaboration.textAcceptAllChanges": "Accepter toutes les modifications",
"Common.Views.Collaboration.textBack": "Retour",
"Common.Views.Collaboration.textChange": "Réviser modifications",
"Common.Views.Collaboration.textCollaboration": "Collaboration",
"Common.Views.Collaboration.textDisplayMode": "Mode d'affichage",
"Common.Views.Collaboration.textEditUsers": "Utilisateurs",
"Common.Views.Collaboration.textFinal": "Final",
"Common.Views.Collaboration.textMarkup": "Balisage",
"Common.Views.Collaboration.textOriginal": "Original",
"Common.Views.Collaboration.textRejectAllChanges": "Refuser toutes les modifications ",
"Common.Views.Collaboration.textReview": "Suivi des modifications",
"Common.Views.Collaboration.textReviewing": "Révision",
"Common.Views.Collaboration.textСomments": "Commentaires",
"DE.Views.EditChart.textAlign": "Aligner", "DE.Views.EditChart.textAlign": "Aligner",
"DE.Views.EditChart.textBack": "Retour", "DE.Views.EditChart.textBack": "Retour",
"DE.Views.EditChart.textBackward": "Déplacer vers l'arrière", "DE.Views.EditChart.textBackward": "Déplacer vers l'arrière",

View file

@ -14,8 +14,6 @@
"DE.Controllers.AddTable.textColumns": "Oszlopok", "DE.Controllers.AddTable.textColumns": "Oszlopok",
"DE.Controllers.AddTable.textRows": "Sorok", "DE.Controllers.AddTable.textRows": "Sorok",
"DE.Controllers.AddTable.textTableSize": "Táblázat méret", "DE.Controllers.AddTable.textTableSize": "Táblázat méret",
"DE.Controllers.DocumentHolder.menuAccept": "Elfogad",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Mindent elfogad",
"DE.Controllers.DocumentHolder.menuAddLink": "Link hozzáadása", "DE.Controllers.DocumentHolder.menuAddLink": "Link hozzáadása",
"DE.Controllers.DocumentHolder.menuCopy": "Másol", "DE.Controllers.DocumentHolder.menuCopy": "Másol",
"DE.Controllers.DocumentHolder.menuCut": "Kivág", "DE.Controllers.DocumentHolder.menuCut": "Kivág",
@ -24,8 +22,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Még", "DE.Controllers.DocumentHolder.menuMore": "Még",
"DE.Controllers.DocumentHolder.menuOpenLink": "Link megnyitása", "DE.Controllers.DocumentHolder.menuOpenLink": "Link megnyitása",
"DE.Controllers.DocumentHolder.menuPaste": "Beilleszt", "DE.Controllers.DocumentHolder.menuPaste": "Beilleszt",
"DE.Controllers.DocumentHolder.menuReject": "Elutasít",
"DE.Controllers.DocumentHolder.menuRejectAll": "Elutasít mindent",
"DE.Controllers.DocumentHolder.menuReview": "Összefoglaló", "DE.Controllers.DocumentHolder.menuReview": "Összefoglaló",
"DE.Controllers.DocumentHolder.sheetCancel": "Mégse", "DE.Controllers.DocumentHolder.sheetCancel": "Mégse",
"DE.Controllers.DocumentHolder.textGuest": "Vendég", "DE.Controllers.DocumentHolder.textGuest": "Vendég",
@ -62,7 +58,7 @@
"DE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.<br>Vegye fel a kapcsolatot a Document Server adminisztrátorával.", "DE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.<br>Vegye fel a kapcsolatot a Document Server adminisztrátorával.",
"DE.Controllers.Main.errorBadImageUrl": "Hibás kép URL", "DE.Controllers.Main.errorBadImageUrl": "Hibás kép URL",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "A szerver elveszítette a kapcsolatot. A további szerkesztés nem lehetséges.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "A szerver elveszítette a kapcsolatot. A további szerkesztés nem lehetséges.",
"DE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.<br>Ha az 'OK'-ra kattint letöltheti a dokumentumot.<br><br>Bővebb információk a Dokumentum Szerverhez kapcsolódásról <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">itt</a> találhat.", "DE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.<br>Ha az 'OK'-ra kattint letöltheti a dokumentumot.<br><br>Bővebb információk a Dokumentum Szerverhez kapcsolódásról <a href=\"%1\" target=\"_blank\">itt</a> találhat.",
"DE.Controllers.Main.errorDatabaseConnection": "Külső hiba.<br>Adatbázis kapcsolati hiba. Kérem vegye igénybe támogatásunkat.", "DE.Controllers.Main.errorDatabaseConnection": "Külső hiba.<br>Adatbázis kapcsolati hiba. Kérem vegye igénybe támogatásunkat.",
"DE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.", "DE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.",
"DE.Controllers.Main.errorDataRange": "Hibás adattartomány.", "DE.Controllers.Main.errorDataRange": "Hibás adattartomány.",
@ -165,8 +161,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.", "DE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"DE.Controllers.Main.warnLicenseExp": "A licence lejárt.<br>Kérem frissítse a licencét, majd az oldalt.", "DE.Controllers.Main.warnLicenseExp": "A licence lejárt.<br>Kérem frissítse a licencét, majd az oldalt.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "A párhuzamos felhasználók száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.", "DE.Controllers.Main.warnLicenseUsersExceeded": "A párhuzamos felhasználók száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"DE.Controllers.Main.warnNoLicense": "Ez a verziója az ONLYOFFICE Szerkesztőnek bizonyos limitációkat tartalmaz párhuzamos kapcsolódások terén a dokumentum szerverhez.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.", "DE.Controllers.Main.warnNoLicense": "Ez a verziója az %1 szerkesztőnek bizonyos limitációkat tartalmaz párhuzamos kapcsolódások terén a dokumentum szerverhez.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
"DE.Controllers.Main.warnNoLicenseUsers": "Ez a verziója az ONLYOFFICE Szerkesztőnek bizonyos limitációkat tartalmaz párhuzamosan kapcsolódott felhasználók terén.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.", "DE.Controllers.Main.warnNoLicenseUsers": "Ez a verziója az %1 szerkesztőnek bizonyos limitációkat tartalmaz párhuzamosan kapcsolódott felhasználók terén.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
"DE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.", "DE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.",
"DE.Controllers.Search.textNoTextFound": "A szöveg nem található", "DE.Controllers.Search.textNoTextFound": "A szöveg nem található",
"DE.Controllers.Search.textReplaceAll": "Mindent cserél", "DE.Controllers.Search.textReplaceAll": "Mindent cserél",

View file

@ -1,21 +1,4 @@
{ {
"Common.UI.ThemeColorPalette.textStandartColors": "Colori standard",
"Common.UI.ThemeColorPalette.textThemeColors": "Colori del tema",
"Common.Utils.Metric.txtCm": "cm",
"Common.Utils.Metric.txtPt": "pt",
"DE.Controllers.AddContainer.textImage": "Immagine",
"DE.Controllers.AddContainer.textOther": "Altro",
"DE.Controllers.AddContainer.textShape": "Forma",
"DE.Controllers.AddContainer.textTable": "Tabella",
"DE.Controllers.AddImage.textEmptyImgUrl": "Specifica URL immagine.",
"DE.Controllers.AddImage.txtNotUrl": "Questo campo dovrebbe contenere un URL nel formato 'http://www.example.com'",
"DE.Controllers.AddOther.textBelowText": "Sotto al testo",
"DE.Controllers.AddOther.textBottomOfPage": "Fondo pagina",
"DE.Controllers.AddOther.txtNotUrl": "Questo campo dovrebbe contenere un URL nel formato 'http://www.example.com'",
"DE.Controllers.AddTable.textCancel": "Annulla",
"DE.Controllers.AddTable.textColumns": "Colonne",
"DE.Controllers.AddTable.textRows": "Righe",
"DE.Controllers.AddTable.textTableSize": "Dimensioni tabella",
"Common.Controllers.Collaboration.textAtLeast": "Minima", "Common.Controllers.Collaboration.textAtLeast": "Minima",
"Common.Controllers.Collaboration.textAuto": "auto", "Common.Controllers.Collaboration.textAuto": "auto",
"Common.Controllers.Collaboration.textBaseline": "Linea guida", "Common.Controllers.Collaboration.textBaseline": "Linea guida",
@ -73,8 +56,37 @@
"Common.Controllers.Collaboration.textTableRowsDel": "<b>Righe tabella eliminate</b>", "Common.Controllers.Collaboration.textTableRowsDel": "<b>Righe tabella eliminate</b>",
"Common.Controllers.Collaboration.textTabs": "Modifica Schede", "Common.Controllers.Collaboration.textTabs": "Modifica Schede",
"Common.Controllers.Collaboration.textUnderline": "Sottolineato", "Common.Controllers.Collaboration.textUnderline": "Sottolineato",
"DE.Controllers.DocumentHolder.menuAccept": "Accetta", "Common.UI.ThemeColorPalette.textStandartColors": "Colori standard",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Accetta tutto", "Common.UI.ThemeColorPalette.textThemeColors": "Colori del tema",
"Common.Utils.Metric.txtCm": "cm",
"Common.Utils.Metric.txtPt": "pt",
"Common.Views.Collaboration.textAcceptAllChanges": "Accetta tutte le modifiche",
"Common.Views.Collaboration.textBack": "Indietro",
"Common.Views.Collaboration.textChange": "Modifica revisione",
"Common.Views.Collaboration.textCollaboration": "Collaborazione",
"Common.Views.Collaboration.textDisplayMode": "Modalità Visualizzazione",
"Common.Views.Collaboration.textEditUsers": "Utenti",
"Common.Views.Collaboration.textFinal": "Finale",
"Common.Views.Collaboration.textMarkup": "Marcatura",
"Common.Views.Collaboration.textNoComments": "Questo documento non contiene commenti",
"Common.Views.Collaboration.textOriginal": "Originale",
"Common.Views.Collaboration.textRejectAllChanges": "Annulla tutte le modifiche",
"Common.Views.Collaboration.textReview": "Traccia cambiamenti",
"Common.Views.Collaboration.textReviewing": "Revisione",
"Common.Views.Collaboration.textСomments": "Сommenti",
"DE.Controllers.AddContainer.textImage": "Immagine",
"DE.Controllers.AddContainer.textOther": "Altro",
"DE.Controllers.AddContainer.textShape": "Forma",
"DE.Controllers.AddContainer.textTable": "Tabella",
"DE.Controllers.AddImage.textEmptyImgUrl": "Specifica URL immagine.",
"DE.Controllers.AddImage.txtNotUrl": "Questo campo dovrebbe contenere un URL nel formato 'http://www.example.com'",
"DE.Controllers.AddOther.textBelowText": "Sotto al testo",
"DE.Controllers.AddOther.textBottomOfPage": "Fondo pagina",
"DE.Controllers.AddOther.txtNotUrl": "Questo campo dovrebbe contenere un URL nel formato 'http://www.example.com'",
"DE.Controllers.AddTable.textCancel": "Annulla",
"DE.Controllers.AddTable.textColumns": "Colonne",
"DE.Controllers.AddTable.textRows": "Righe",
"DE.Controllers.AddTable.textTableSize": "Dimensioni tabella",
"DE.Controllers.DocumentHolder.menuAddLink": "Aggiungi collegamento", "DE.Controllers.DocumentHolder.menuAddLink": "Aggiungi collegamento",
"DE.Controllers.DocumentHolder.menuCopy": "Copia", "DE.Controllers.DocumentHolder.menuCopy": "Copia",
"DE.Controllers.DocumentHolder.menuCut": "Taglia", "DE.Controllers.DocumentHolder.menuCut": "Taglia",
@ -85,8 +97,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Altro", "DE.Controllers.DocumentHolder.menuMore": "Altro",
"DE.Controllers.DocumentHolder.menuOpenLink": "Apri collegamento", "DE.Controllers.DocumentHolder.menuOpenLink": "Apri collegamento",
"DE.Controllers.DocumentHolder.menuPaste": "Incolla", "DE.Controllers.DocumentHolder.menuPaste": "Incolla",
"DE.Controllers.DocumentHolder.menuReject": "Respingi",
"DE.Controllers.DocumentHolder.menuRejectAll": "Respingi tutti",
"DE.Controllers.DocumentHolder.menuReview": "Revisione", "DE.Controllers.DocumentHolder.menuReview": "Revisione",
"DE.Controllers.DocumentHolder.menuReviewChange": "Modifica revisione", "DE.Controllers.DocumentHolder.menuReviewChange": "Modifica revisione",
"DE.Controllers.DocumentHolder.menuSplit": "Dividi cella", "DE.Controllers.DocumentHolder.menuSplit": "Dividi cella",
@ -128,7 +138,7 @@
"DE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.<br>Si prega di contattare l'amministratore del Server dei Documenti.", "DE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.<br>Si prega di contattare l'amministratore del Server dei Documenti.",
"DE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto", "DE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Scollegato dal server. Non è possibile modificare.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Scollegato dal server. Non è possibile modificare.",
"DE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.<br>Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.<br><br>Per maggiori dettagli sulla connessione al Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">clicca qui</a>", "DE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.<br>Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.<br><br>Per maggiori dettagli sulla connessione al Document Server <a href=\"%1\" target=\"_blank\">clicca qui</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Errore esterno.<br>Errore di connessione al database. Si prega di contattare il supporto.", "DE.Controllers.Main.errorDatabaseConnection": "Errore esterno.<br>Errore di connessione al database. Si prega di contattare il supporto.",
"DE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.", "DE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.",
"DE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.", "DE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.",
@ -232,8 +242,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Contattare l'amministratore per ulteriori informazioni.", "DE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Contattare l'amministratore per ulteriori informazioni.",
"DE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta.<br>Si prega di aggiornare la licenza e ricaricare la pagina.", "DE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta.<br>Si prega di aggiornare la licenza e ricaricare la pagina.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Il numero di utenti simultaei è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Per ulteriori informazioni, contattare l'amministratore.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Il numero di utenti simultaei è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Per ulteriori informazioni, contattare l'amministratore.",
"DE.Controllers.Main.warnNoLicense": "Questa versione di ONLYOFFICE® Editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.", "DE.Controllers.Main.warnNoLicense": "Questa versione di %1 editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
"DE.Controllers.Main.warnNoLicenseUsers": "Questa versione di ONLYOFFICE® Editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.", "DE.Controllers.Main.warnNoLicenseUsers": "Questa versione di %1 editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
"DE.Controllers.Main.warnProcessRightsChange": "Ti è stato negato il diritto di modificare il file.", "DE.Controllers.Main.warnProcessRightsChange": "Ti è stato negato il diritto di modificare il file.",
"DE.Controllers.Search.textNoTextFound": "Testo non trovato", "DE.Controllers.Search.textNoTextFound": "Testo non trovato",
"DE.Controllers.Search.textReplaceAll": "Sostituisci tutto", "DE.Controllers.Search.textReplaceAll": "Sostituisci tutto",
@ -241,6 +251,7 @@
"DE.Controllers.Settings.txtLoading": "Caricamento in corso...", "DE.Controllers.Settings.txtLoading": "Caricamento in corso...",
"DE.Controllers.Settings.unknownText": "Sconosciuto", "DE.Controllers.Settings.unknownText": "Sconosciuto",
"DE.Controllers.Settings.warnDownloadAs": "Se continui a salvare in questo formato tutte le funzioni eccetto il testo vengono perse.<br>Sei sicuro di voler continuare?", "DE.Controllers.Settings.warnDownloadAs": "Se continui a salvare in questo formato tutte le funzioni eccetto il testo vengono perse.<br>Sei sicuro di voler continuare?",
"DE.Controllers.Settings.warnDownloadAsRTF": "Se si continua a salvare in questo formato, parte della formattazione potrebbe andare persa.<br>Vuoi continuare?",
"DE.Controllers.Toolbar.dlgLeaveMsgText": "Ci sono delle modifiche non salvate in questo documento. Clicca su 'Rimani in questa pagina, in attesa del salvataggio automatico del documento. Clicca su 'Lascia questa pagina' per annullare le modifiche.", "DE.Controllers.Toolbar.dlgLeaveMsgText": "Ci sono delle modifiche non salvate in questo documento. Clicca su 'Rimani in questa pagina, in attesa del salvataggio automatico del documento. Clicca su 'Lascia questa pagina' per annullare le modifiche.",
"DE.Controllers.Toolbar.dlgLeaveTitleText": "Lascia l'applicazione", "DE.Controllers.Toolbar.dlgLeaveTitleText": "Lascia l'applicazione",
"DE.Controllers.Toolbar.leaveButtonText": "Lascia la pagina", "DE.Controllers.Toolbar.leaveButtonText": "Lascia la pagina",
@ -279,19 +290,6 @@
"DE.Views.AddOther.textSectionBreak": "Interrompi sezione", "DE.Views.AddOther.textSectionBreak": "Interrompi sezione",
"DE.Views.AddOther.textStartFrom": "Inizia da", "DE.Views.AddOther.textStartFrom": "Inizia da",
"DE.Views.AddOther.textTip": "Suggerimento ", "DE.Views.AddOther.textTip": "Suggerimento ",
"Common.Views.Collaboration.textAcceptAllChanges": "Accetta tutte le modifiche",
"Common.Views.Collaboration.textBack": "Indietro",
"Common.Views.Collaboration.textChange": "Modifica revisione",
"Common.Views.Collaboration.textCollaboration": "Collaborazione",
"Common.Views.Collaboration.textDisplayMode": "Modalità Visualizzazione",
"Common.Views.Collaboration.textEditUsers": "Utenti",
"Common.Views.Collaboration.textFinal": "Finale",
"Common.Views.Collaboration.textMarkup": "Marcatura",
"Common.Views.Collaboration.textOriginal": "Originale",
"Common.Views.Collaboration.textRejectAllChanges": "Annulla tutte le modifiche",
"Common.Views.Collaboration.textReview": "Traccia cambiamenti",
"Common.Views.Collaboration.textReviewing": "Revisione",
"Common.Views.Collaboration.textСomments": "Сommenti",
"DE.Views.EditChart.textAlign": "Allinea", "DE.Views.EditChart.textAlign": "Allinea",
"DE.Views.EditChart.textBack": "Indietro", "DE.Views.EditChart.textBack": "Indietro",
"DE.Views.EditChart.textBackward": "Sposta indietro", "DE.Views.EditChart.textBackward": "Sposta indietro",
@ -457,14 +455,21 @@
"DE.Views.Settings.textAbout": "Informazioni su", "DE.Views.Settings.textAbout": "Informazioni su",
"DE.Views.Settings.textAddress": "indirizzo", "DE.Views.Settings.textAddress": "indirizzo",
"DE.Views.Settings.textAdvancedSettings": "Impostazioni Applicazione", "DE.Views.Settings.textAdvancedSettings": "Impostazioni Applicazione",
"DE.Views.Settings.textApplication": "Applicazione",
"DE.Views.Settings.textAuthor": "Autore", "DE.Views.Settings.textAuthor": "Autore",
"DE.Views.Settings.textBack": "Indietro", "DE.Views.Settings.textBack": "Indietro",
"DE.Views.Settings.textBottom": "In basso", "DE.Views.Settings.textBottom": "In basso",
"DE.Views.Settings.textCentimeter": "Centimetro", "DE.Views.Settings.textCentimeter": "Centimetro",
"DE.Views.Settings.textCollaboration": "Collaborazione",
"DE.Views.Settings.textColorSchemes": "Schemi di colore", "DE.Views.Settings.textColorSchemes": "Schemi di colore",
"DE.Views.Settings.textComment": "Commento",
"DE.Views.Settings.textCommentingDisplay": "Visualizzazione dei Commenti",
"DE.Views.Settings.textCreated": "Creato",
"DE.Views.Settings.textCreateDate": "Data di creazione", "DE.Views.Settings.textCreateDate": "Data di creazione",
"DE.Views.Settings.textCustom": "Personalizzato", "DE.Views.Settings.textCustom": "Personalizzato",
"DE.Views.Settings.textCustomSize": "Dimensione personalizzata", "DE.Views.Settings.textCustomSize": "Dimensione personalizzata",
"DE.Views.Settings.textDisplayComments": "Commenti",
"DE.Views.Settings.textDisplayResolvedComments": "Commenti risolti",
"DE.Views.Settings.textDocInfo": "Informazioni sul documento", "DE.Views.Settings.textDocInfo": "Informazioni sul documento",
"DE.Views.Settings.textDocTitle": "Titolo documento", "DE.Views.Settings.textDocTitle": "Titolo documento",
"DE.Views.Settings.textDocumentFormats": "Formati del documento", "DE.Views.Settings.textDocumentFormats": "Formati del documento",
@ -481,11 +486,15 @@
"DE.Views.Settings.textHiddenTableBorders": "Bordi tabella nascosti", "DE.Views.Settings.textHiddenTableBorders": "Bordi tabella nascosti",
"DE.Views.Settings.textInch": "Pollice", "DE.Views.Settings.textInch": "Pollice",
"DE.Views.Settings.textLandscape": "Orizzontale", "DE.Views.Settings.textLandscape": "Orizzontale",
"DE.Views.Settings.textLastModified": "Ultima modifica",
"DE.Views.Settings.textLastModifiedBy": "Ultima modifica di",
"DE.Views.Settings.textLeft": "A sinistra", "DE.Views.Settings.textLeft": "A sinistra",
"DE.Views.Settings.textLoading": "Caricamento in corso...", "DE.Views.Settings.textLoading": "Caricamento in corso...",
"DE.Views.Settings.textLocation": "Percorso",
"DE.Views.Settings.textMargins": "Margini", "DE.Views.Settings.textMargins": "Margini",
"DE.Views.Settings.textNoCharacters": "Caratteri non stampabili", "DE.Views.Settings.textNoCharacters": "Caratteri non stampabili",
"DE.Views.Settings.textOrientation": "Orientamento", "DE.Views.Settings.textOrientation": "Orientamento",
"DE.Views.Settings.textOwner": "Proprietario",
"DE.Views.Settings.textPages": "Pagine", "DE.Views.Settings.textPages": "Pagine",
"DE.Views.Settings.textParagraphs": "Paragrafi", "DE.Views.Settings.textParagraphs": "Paragrafi",
"DE.Views.Settings.textPoint": "Punto", "DE.Views.Settings.textPoint": "Punto",
@ -499,10 +508,13 @@
"DE.Views.Settings.textSpaces": "Spazi", "DE.Views.Settings.textSpaces": "Spazi",
"DE.Views.Settings.textSpellcheck": "Controllo ortografia", "DE.Views.Settings.textSpellcheck": "Controllo ortografia",
"DE.Views.Settings.textStatistic": "Statistica", "DE.Views.Settings.textStatistic": "Statistica",
"DE.Views.Settings.textSubject": "Oggetto",
"DE.Views.Settings.textSymbols": "Simboli", "DE.Views.Settings.textSymbols": "Simboli",
"DE.Views.Settings.textTel": "Tel.", "DE.Views.Settings.textTel": "Tel.",
"DE.Views.Settings.textTitle": "Titolo documento",
"DE.Views.Settings.textTop": "In alto", "DE.Views.Settings.textTop": "In alto",
"DE.Views.Settings.textUnitOfMeasurement": "Unità di misura", "DE.Views.Settings.textUnitOfMeasurement": "Unità di misura",
"DE.Views.Settings.textUploaded": "Caricato",
"DE.Views.Settings.textVersion": "Versione", "DE.Views.Settings.textVersion": "Versione",
"DE.Views.Settings.textWords": "Parole", "DE.Views.Settings.textWords": "Parole",
"DE.Views.Settings.unknownText": "Sconosciuto", "DE.Views.Settings.unknownText": "Sconosciuto",

View file

@ -14,8 +14,6 @@
"DE.Controllers.AddTable.textColumns": "열", "DE.Controllers.AddTable.textColumns": "열",
"DE.Controllers.AddTable.textRows": "Rows", "DE.Controllers.AddTable.textRows": "Rows",
"DE.Controllers.AddTable.textTableSize": "표 크기", "DE.Controllers.AddTable.textTableSize": "표 크기",
"DE.Controllers.DocumentHolder.menuAccept": "수락",
"DE.Controllers.DocumentHolder.menuAcceptAll": "모두 수락",
"DE.Controllers.DocumentHolder.menuAddLink": "링크 추가", "DE.Controllers.DocumentHolder.menuAddLink": "링크 추가",
"DE.Controllers.DocumentHolder.menuCopy": "복사", "DE.Controllers.DocumentHolder.menuCopy": "복사",
"DE.Controllers.DocumentHolder.menuCut": "잘라 내기", "DE.Controllers.DocumentHolder.menuCut": "잘라 내기",
@ -24,8 +22,6 @@
"DE.Controllers.DocumentHolder.menuMore": "More", "DE.Controllers.DocumentHolder.menuMore": "More",
"DE.Controllers.DocumentHolder.menuOpenLink": "링크 열기", "DE.Controllers.DocumentHolder.menuOpenLink": "링크 열기",
"DE.Controllers.DocumentHolder.menuPaste": "붙여 넣기", "DE.Controllers.DocumentHolder.menuPaste": "붙여 넣기",
"DE.Controllers.DocumentHolder.menuReject": "거부",
"DE.Controllers.DocumentHolder.menuRejectAll": "모두 거부",
"DE.Controllers.DocumentHolder.menuReview": "다시보기", "DE.Controllers.DocumentHolder.menuReview": "다시보기",
"DE.Controllers.DocumentHolder.sheetCancel": "취소", "DE.Controllers.DocumentHolder.sheetCancel": "취소",
"DE.Controllers.DocumentHolder.textGuest": "Guest", "DE.Controllers.DocumentHolder.textGuest": "Guest",
@ -61,7 +57,7 @@
"DE.Controllers.Main.downloadTitleText": "문서 다운로드 중", "DE.Controllers.Main.downloadTitleText": "문서 다운로드 중",
"DE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "DE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 더 이상 편집 할 수 없습니다.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 더 이상 편집 할 수 없습니다.",
"DE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오. <br> '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다. <br > <br> Document Server 연결에 대한 추가 정보 찾기 <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\"> 여기 </a> ", "DE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.<br>'확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.<br ><br>Document Server 연결에 대한 추가 정보 찾기 <a href=\"%1\" target=\"_blank\">여기</a> ",
"DE.Controllers.Main.errorDatabaseConnection": "외부 오류입니다. <br> 데이터베이스 연결 오류입니다. 지원팀에 문의하십시오.", "DE.Controllers.Main.errorDatabaseConnection": "외부 오류입니다. <br> 데이터베이스 연결 오류입니다. 지원팀에 문의하십시오.",
"DE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.", "DE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.",
"DE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1", "DE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1",
@ -159,8 +155,8 @@
"DE.Controllers.Main.uploadImageTextText": "이미지 업로드 중 ...", "DE.Controllers.Main.uploadImageTextText": "이미지 업로드 중 ...",
"DE.Controllers.Main.uploadImageTitleText": "이미지 업로드 중", "DE.Controllers.Main.uploadImageTitleText": "이미지 업로드 중",
"DE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. <br> 라이센스를 업데이트하고 페이지를 새로 고침하십시오.", "DE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. <br> 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
"DE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. <br> 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.", "DE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. <br> 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
"DE.Controllers.Main.warnNoLicenseUsers": "ONLYOFFICE 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. <br> 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.", "DE.Controllers.Main.warnNoLicenseUsers": "%1 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. <br> 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.",
"DE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.", "DE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"DE.Controllers.Search.textNoTextFound": "텍스트를 찾을 수 없습니다", "DE.Controllers.Search.textNoTextFound": "텍스트를 찾을 수 없습니다",
"DE.Controllers.Search.textReplaceAll": "모두 바꾸기", "DE.Controllers.Search.textReplaceAll": "모두 바꾸기",

View file

@ -53,7 +53,7 @@
"DE.Controllers.Main.downloadTitleText": "Dokumenta lejupielāde", "DE.Controllers.Main.downloadTitleText": "Dokumenta lejupielāde",
"DE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL", "DE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Zudis servera savienojums. Jūs vairs nevarat rediģēt.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Zudis servera savienojums. Jūs vairs nevarat rediģēt.",
"DE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.<br>Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.<br><br>Uzziniet vairāk par dokumentu servera pieslēgšanu <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">šeit</a>", "DE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.<br>Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.<br><br>Uzziniet vairāk par dokumentu servera pieslēgšanu <a href=\"%1\" target=\"_blank\">šeit</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Ārējā kļūda.<br>Datubāzes piekļuves kļūda. Lūdzu, sazinieties ar atbalsta daļu.", "DE.Controllers.Main.errorDatabaseConnection": "Ārējā kļūda.<br>Datubāzes piekļuves kļūda. Lūdzu, sazinieties ar atbalsta daļu.",
"DE.Controllers.Main.errorDataRange": "Nepareizs datu diapazons", "DE.Controllers.Main.errorDataRange": "Nepareizs datu diapazons",
"DE.Controllers.Main.errorDefaultMessage": "Kļūdas kods: %1", "DE.Controllers.Main.errorDefaultMessage": "Kļūdas kods: %1",
@ -148,8 +148,8 @@
"DE.Controllers.Main.uploadImageTextText": "Augšupielādē attēlu...", "DE.Controllers.Main.uploadImageTextText": "Augšupielādē attēlu...",
"DE.Controllers.Main.uploadImageTitleText": "Augšuplādē attēlu", "DE.Controllers.Main.uploadImageTitleText": "Augšuplādē attēlu",
"DE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš.<br>Lūdzu, atjauniniet savu licenci un pārlādējiet lapu.", "DE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš.<br>Lūdzu, atjauniniet savu licenci un pārlādējiet lapu.",
"DE.Controllers.Main.warnNoLicense": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet Jūsu šībrīža licences līmeņa paaugstināšanu vai komerciālās licences iegādi.", "DE.Controllers.Main.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet Jūsu šībrīža licences līmeņa paaugstināšanu vai komerciālās licences iegādi.",
"DE.Controllers.Main.warnNoLicenseUsers": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.", "DE.Controllers.Main.warnNoLicenseUsers": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.",
"DE.Controllers.Main.warnProcessRightsChange": "Jums ir liegtas tiesības šo failu rediģēt.", "DE.Controllers.Main.warnProcessRightsChange": "Jums ir liegtas tiesības šo failu rediģēt.",
"DE.Controllers.Search.textNoTextFound": "Teksts nav atrasts", "DE.Controllers.Search.textNoTextFound": "Teksts nav atrasts",
"DE.Controllers.Search.textReplaceAll": "Aizvietot visus", "DE.Controllers.Search.textReplaceAll": "Aizvietot visus",

View file

@ -14,8 +14,6 @@
"DE.Controllers.AddTable.textColumns": "Kolommen", "DE.Controllers.AddTable.textColumns": "Kolommen",
"DE.Controllers.AddTable.textRows": "Rijen", "DE.Controllers.AddTable.textRows": "Rijen",
"DE.Controllers.AddTable.textTableSize": "Tabelgrootte", "DE.Controllers.AddTable.textTableSize": "Tabelgrootte",
"DE.Controllers.DocumentHolder.menuAccept": "Accepteren",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Alles accepteren",
"DE.Controllers.DocumentHolder.menuAddLink": "Koppeling toevoegen", "DE.Controllers.DocumentHolder.menuAddLink": "Koppeling toevoegen",
"DE.Controllers.DocumentHolder.menuCopy": "Kopiëren", "DE.Controllers.DocumentHolder.menuCopy": "Kopiëren",
"DE.Controllers.DocumentHolder.menuCut": "Knippen", "DE.Controllers.DocumentHolder.menuCut": "Knippen",
@ -24,8 +22,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Meer", "DE.Controllers.DocumentHolder.menuMore": "Meer",
"DE.Controllers.DocumentHolder.menuOpenLink": "Koppeling openen", "DE.Controllers.DocumentHolder.menuOpenLink": "Koppeling openen",
"DE.Controllers.DocumentHolder.menuPaste": "Plakken", "DE.Controllers.DocumentHolder.menuPaste": "Plakken",
"DE.Controllers.DocumentHolder.menuReject": "Afwijzen",
"DE.Controllers.DocumentHolder.menuRejectAll": "Alles afwijzen",
"DE.Controllers.DocumentHolder.menuReview": "Beoordelen", "DE.Controllers.DocumentHolder.menuReview": "Beoordelen",
"DE.Controllers.DocumentHolder.sheetCancel": "Annuleren", "DE.Controllers.DocumentHolder.sheetCancel": "Annuleren",
"DE.Controllers.DocumentHolder.textGuest": "Gast", "DE.Controllers.DocumentHolder.textGuest": "Gast",
@ -62,7 +58,7 @@
"DE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.<br>Neem contact op met de beheerder van de documentserver.", "DE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.<br>Neem contact op met de beheerder van de documentserver.",
"DE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "DE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server verbroken. U kunt niet doorgaan met bewerken.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server verbroken. U kunt niet doorgaan met bewerken.",
"DE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.<br>Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.<br><br>Meer informatie over verbindingen met de documentserver is <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">hier</a> te vinden.", "DE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.<br>Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.<br><br>Meer informatie over verbindingen met de documentserver is <a href=\"%1\" target=\"_blank\">hier</a> te vinden.",
"DE.Controllers.Main.errorDatabaseConnection": "Externe fout.<br>Fout in databaseverbinding. Neem contact op met Support.", "DE.Controllers.Main.errorDatabaseConnection": "Externe fout.<br>Fout in databaseverbinding. Neem contact op met Support.",
"DE.Controllers.Main.errorDataEncrypted": "Versleutelde wijzigingen zijn ontvangen, deze kunnen niet ontcijferd worden.", "DE.Controllers.Main.errorDataEncrypted": "Versleutelde wijzigingen zijn ontvangen, deze kunnen niet ontcijferd worden.",
"DE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik", "DE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik",
@ -165,8 +161,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Het aantal gelijktijdige verbindingen met de document server heeft het maximum overschreven. Het document zal geopend worden in een alleen-lezen modus.<br>Neem contact op met de beheerder voor meer informatie.", "DE.Controllers.Main.warnLicenseExceeded": "Het aantal gelijktijdige verbindingen met de document server heeft het maximum overschreven. Het document zal geopend worden in een alleen-lezen modus.<br>Neem contact op met de beheerder voor meer informatie.",
"DE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen.<br>Werk uw licentie bij en vernieuw de pagina.", "DE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen.<br>Werk uw licentie bij en vernieuw de pagina.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Het aantal gelijktijdige gebruikers met de document server heeft het maximum overschreven. Het document zal geopend worden in een alleen-lezen modus.<br>Neem contact op met de beheerder voor meer informatie.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Het aantal gelijktijdige gebruikers met de document server heeft het maximum overschreven. Het document zal geopend worden in een alleen-lezen modus.<br>Neem contact op met de beheerder voor meer informatie.",
"DE.Controllers.Main.warnNoLicense": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.", "DE.Controllers.Main.warnNoLicense": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
"DE.Controllers.Main.warnNoLicenseUsers": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.", "DE.Controllers.Main.warnNoLicenseUsers": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
"DE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.", "DE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.",
"DE.Controllers.Search.textNoTextFound": "Tekst niet gevonden", "DE.Controllers.Search.textNoTextFound": "Tekst niet gevonden",
"DE.Controllers.Search.textReplaceAll": "Alles vervangen", "DE.Controllers.Search.textReplaceAll": "Alles vervangen",

View file

@ -3,6 +3,7 @@
"Common.UI.ThemeColorPalette.textThemeColors": "Kolory motywu", "Common.UI.ThemeColorPalette.textThemeColors": "Kolory motywu",
"Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtCm": "cm",
"Common.Utils.Metric.txtPt": "pt", "Common.Utils.Metric.txtPt": "pt",
"Common.Views.Collaboration.textCollaboration": "Współpraca",
"DE.Controllers.AddContainer.textImage": "Obraz", "DE.Controllers.AddContainer.textImage": "Obraz",
"DE.Controllers.AddContainer.textOther": "Inny", "DE.Controllers.AddContainer.textOther": "Inny",
"DE.Controllers.AddContainer.textShape": "Kształt", "DE.Controllers.AddContainer.textShape": "Kształt",
@ -14,8 +15,6 @@
"DE.Controllers.AddTable.textColumns": "Kolumny", "DE.Controllers.AddTable.textColumns": "Kolumny",
"DE.Controllers.AddTable.textRows": "Wiersze", "DE.Controllers.AddTable.textRows": "Wiersze",
"DE.Controllers.AddTable.textTableSize": "Rozmiar tabeli", "DE.Controllers.AddTable.textTableSize": "Rozmiar tabeli",
"DE.Controllers.DocumentHolder.menuAccept": "Akceptuj",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Akceptuj wszystko",
"DE.Controllers.DocumentHolder.menuAddLink": "Dodaj link", "DE.Controllers.DocumentHolder.menuAddLink": "Dodaj link",
"DE.Controllers.DocumentHolder.menuCopy": "Kopiuj", "DE.Controllers.DocumentHolder.menuCopy": "Kopiuj",
"DE.Controllers.DocumentHolder.menuCut": "Wytnij", "DE.Controllers.DocumentHolder.menuCut": "Wytnij",
@ -56,7 +55,7 @@
"DE.Controllers.Main.downloadTitleText": "Pobieranie dokumentu", "DE.Controllers.Main.downloadTitleText": "Pobieranie dokumentu",
"DE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "DE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie możesz już edytować.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie możesz już edytować.",
"DE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.<br>Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.<br><br>Dowiedz się więcej o połączeniu serwera dokumentów <a href=\"https: //api.onlyoffice.com/editors/callback\" target=\"_blank\">tutaj</a>", "DE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.<br>Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.<br><br>Dowiedz się więcej o połączeniu serwera dokumentów <a href=\"%1\" target=\"_blank\">tutaj</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Zewnętrzny błąd.<br>Błąd połączenia z bazą danych. Proszę skontaktuj się z administratorem.", "DE.Controllers.Main.errorDatabaseConnection": "Zewnętrzny błąd.<br>Błąd połączenia z bazą danych. Proszę skontaktuj się z administratorem.",
"DE.Controllers.Main.errorDataRange": "Błędny zakres danych.", "DE.Controllers.Main.errorDataRange": "Błędny zakres danych.",
"DE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1", "DE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1",
@ -149,7 +148,7 @@
"DE.Controllers.Main.uploadImageTitleText": "Wysyłanie obrazu", "DE.Controllers.Main.uploadImageTitleText": "Wysyłanie obrazu",
"DE.Controllers.Main.waitText": "Proszę czekać...", "DE.Controllers.Main.waitText": "Proszę czekać...",
"DE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła.<br>Zaktualizuj licencję i odśwież stronę.", "DE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła.<br>Zaktualizuj licencję i odśwież stronę.",
"DE.Controllers.Main.warnNoLicense": "Używasz wersji ONLYOFFICE w wersji open source. Wersja ma ograniczenia dla jednoczesnych połączeń z serwerem dokumentów (po 20 połączeń naraz). Jeśli potrzebujesz więcej, rozważ zakup licencji komercyjnej.", "DE.Controllers.Main.warnNoLicense": "Używasz wersji %1 w wersji open source. Wersja ma ograniczenia dla jednoczesnych połączeń z serwerem dokumentów (po 20 połączeń naraz). Jeśli potrzebujesz więcej, rozważ zakup licencji komercyjnej.",
"DE.Controllers.Main.warnProcessRightsChange": "Nie masz uprawnień do edycji tego pliku.", "DE.Controllers.Main.warnProcessRightsChange": "Nie masz uprawnień do edycji tego pliku.",
"DE.Controllers.Search.textNoTextFound": "Nie znaleziono tekstu", "DE.Controllers.Search.textNoTextFound": "Nie znaleziono tekstu",
"DE.Controllers.Search.textReplaceAll": "Zamień wszystko", "DE.Controllers.Search.textReplaceAll": "Zamień wszystko",

View file

@ -53,7 +53,7 @@
"DE.Controllers.Main.downloadTitleText": "Baixando Documento", "DE.Controllers.Main.downloadTitleText": "Baixando Documento",
"DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta", "DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão ao servidor perdida. Você não pode mais editar.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão ao servidor perdida. Você não pode mais editar.",
"DE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador. <br> Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento. <br> <br> Encontre mais informações sobre como conecta ao Document Server <a href = \"https: //api.onlyoffice.com/editors/callback \"target =\" _ blank \"> aqui </a>", "DE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.<br>Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento. <br><br>Encontre mais informações sobre como conecta ao Document Server <a href=\"%1\" target=\"_blank\">aqui</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Erro externo. <br> Erro de conexão do banco de dados. Entre em contato com o suporte.", "DE.Controllers.Main.errorDatabaseConnection": "Erro externo. <br> Erro de conexão do banco de dados. Entre em contato com o suporte.",
"DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", "DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.",
"DE.Controllers.Main.errorDefaultMessage": "Código do Erro: %1", "DE.Controllers.Main.errorDefaultMessage": "Código do Erro: %1",
@ -146,7 +146,7 @@
"DE.Controllers.Main.uploadImageTitleText": "Carregando imagem", "DE.Controllers.Main.uploadImageTitleText": "Carregando imagem",
"DE.Controllers.Main.waitText": "Aguarde...", "DE.Controllers.Main.waitText": "Aguarde...",
"DE.Controllers.Main.warnLicenseExp": "Sua licença expirou.<br>Atualize sua licença e atualize a página.", "DE.Controllers.Main.warnLicenseExp": "Sua licença expirou.<br>Atualize sua licença e atualize a página.",
"DE.Controllers.Main.warnNoLicense": "Você está usando uma versão de código aberto do ONLYOFFICE. A versão tem limitações para conexões simultâneas com servidor de documentos (20 conexões por vez).<br>Se você precisar de mais, considere a compra de uma licença comercial.", "DE.Controllers.Main.warnNoLicense": "Você está usando uma versão de código aberto do %1. A versão tem limitações para conexões simultâneas com servidor de documentos (20 conexões por vez).<br>Se você precisar de mais, considere a compra de uma licença comercial.",
"DE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.", "DE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.",
"DE.Controllers.Search.textNoTextFound": "Texto não encontrado", "DE.Controllers.Search.textNoTextFound": "Texto não encontrado",
"DE.Controllers.Search.textReplaceAll": "Substituir tudo", "DE.Controllers.Search.textReplaceAll": "Substituir tudo",

View file

@ -1,21 +1,4 @@
{ {
"Common.UI.ThemeColorPalette.textStandartColors": "Стандартные цвета",
"Common.UI.ThemeColorPalette.textThemeColors": "Цвета темы",
"Common.Utils.Metric.txtCm": "см",
"Common.Utils.Metric.txtPt": "пт",
"DE.Controllers.AddContainer.textImage": "Изображение",
"DE.Controllers.AddContainer.textOther": "Другое",
"DE.Controllers.AddContainer.textShape": "Фигура",
"DE.Controllers.AddContainer.textTable": "Таблица",
"DE.Controllers.AddImage.textEmptyImgUrl": "Необходимо указать URL изображения.",
"DE.Controllers.AddImage.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'",
"DE.Controllers.AddOther.textBelowText": "Под текстом",
"DE.Controllers.AddOther.textBottomOfPage": "Внизу страницы",
"DE.Controllers.AddOther.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'",
"DE.Controllers.AddTable.textCancel": "Отмена",
"DE.Controllers.AddTable.textColumns": "Столбцы",
"DE.Controllers.AddTable.textRows": "Строки",
"DE.Controllers.AddTable.textTableSize": "Размер таблицы",
"Common.Controllers.Collaboration.textAtLeast": "минимум", "Common.Controllers.Collaboration.textAtLeast": "минимум",
"Common.Controllers.Collaboration.textAuto": "авто", "Common.Controllers.Collaboration.textAuto": "авто",
"Common.Controllers.Collaboration.textBaseline": "Базовая линия", "Common.Controllers.Collaboration.textBaseline": "Базовая линия",
@ -75,8 +58,37 @@
"Common.Controllers.Collaboration.textTabs": "Изменение табуляции", "Common.Controllers.Collaboration.textTabs": "Изменение табуляции",
"Common.Controllers.Collaboration.textUnderline": "Подчёркнутый", "Common.Controllers.Collaboration.textUnderline": "Подчёркнутый",
"Common.Controllers.Collaboration.textWidow": "Запрет висячих строк", "Common.Controllers.Collaboration.textWidow": "Запрет висячих строк",
"DE.Controllers.DocumentHolder.menuAccept": "Принять", "Common.UI.ThemeColorPalette.textStandartColors": "Стандартные цвета",
"DE.Controllers.DocumentHolder.menuAcceptAll": "Принять все", "Common.UI.ThemeColorPalette.textThemeColors": "Цвета темы",
"Common.Utils.Metric.txtCm": "см",
"Common.Utils.Metric.txtPt": "пт",
"Common.Views.Collaboration.textAcceptAllChanges": "Принять все изменения",
"Common.Views.Collaboration.textBack": "Назад",
"Common.Views.Collaboration.textChange": "Просмотр изменений",
"Common.Views.Collaboration.textCollaboration": "Совместная работа",
"Common.Views.Collaboration.textDisplayMode": "Отображение",
"Common.Views.Collaboration.textEditUsers": "Пользователи",
"Common.Views.Collaboration.textFinal": "Измененный документ",
"Common.Views.Collaboration.textMarkup": "Изменения",
"Common.Views.Collaboration.textNoComments": "Этот документ не содержит комментариев",
"Common.Views.Collaboration.textOriginal": "Исходный документ",
"Common.Views.Collaboration.textRejectAllChanges": "Отклонить все изменения",
"Common.Views.Collaboration.textReview": "Отслеживание изменений",
"Common.Views.Collaboration.textReviewing": "Рецензирование",
"Common.Views.Collaboration.textСomments": "Комментарии",
"DE.Controllers.AddContainer.textImage": "Изображение",
"DE.Controllers.AddContainer.textOther": "Другое",
"DE.Controllers.AddContainer.textShape": "Фигура",
"DE.Controllers.AddContainer.textTable": "Таблица",
"DE.Controllers.AddImage.textEmptyImgUrl": "Необходимо указать URL изображения.",
"DE.Controllers.AddImage.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'",
"DE.Controllers.AddOther.textBelowText": "Под текстом",
"DE.Controllers.AddOther.textBottomOfPage": "Внизу страницы",
"DE.Controllers.AddOther.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'",
"DE.Controllers.AddTable.textCancel": "Отмена",
"DE.Controllers.AddTable.textColumns": "Столбцы",
"DE.Controllers.AddTable.textRows": "Строки",
"DE.Controllers.AddTable.textTableSize": "Размер таблицы",
"DE.Controllers.DocumentHolder.menuAddLink": "Добавить ссылку", "DE.Controllers.DocumentHolder.menuAddLink": "Добавить ссылку",
"DE.Controllers.DocumentHolder.menuCopy": "Копировать", "DE.Controllers.DocumentHolder.menuCopy": "Копировать",
"DE.Controllers.DocumentHolder.menuCut": "Вырезать", "DE.Controllers.DocumentHolder.menuCut": "Вырезать",
@ -87,8 +99,6 @@
"DE.Controllers.DocumentHolder.menuMore": "Ещё", "DE.Controllers.DocumentHolder.menuMore": "Ещё",
"DE.Controllers.DocumentHolder.menuOpenLink": "Перейти", "DE.Controllers.DocumentHolder.menuOpenLink": "Перейти",
"DE.Controllers.DocumentHolder.menuPaste": "Вставить", "DE.Controllers.DocumentHolder.menuPaste": "Вставить",
"DE.Controllers.DocumentHolder.menuReject": "Отклонить",
"DE.Controllers.DocumentHolder.menuRejectAll": "Отклонить все",
"DE.Controllers.DocumentHolder.menuReview": "Рецензирование", "DE.Controllers.DocumentHolder.menuReview": "Рецензирование",
"DE.Controllers.DocumentHolder.menuReviewChange": "Просмотр изменений", "DE.Controllers.DocumentHolder.menuReviewChange": "Просмотр изменений",
"DE.Controllers.DocumentHolder.menuSplit": "Разделить ячейку", "DE.Controllers.DocumentHolder.menuSplit": "Разделить ячейку",
@ -234,7 +244,7 @@
"DE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.<br>Обратитесь к администратору за дополнительной информацией.", "DE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.<br>Обратитесь к администратору за дополнительной информацией.",
"DE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.<br>Обновите лицензию, а затем обновите страницу.", "DE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.<br>Обновите лицензию, а затем обновите страницу.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.<br>Обратитесь к администратору за дополнительной информацией.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.<br>Обратитесь к администратору за дополнительной информацией.",
"DE.Controllers.Main.warnNoLicense": "Эта версия редакторов ONLYOFFICE имеет некоторые ограничения по количеству одновременных подключений к серверу документов.<br>Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "DE.Controllers.Main.warnNoLicense": "Эта версия редакторов %1 имеет некоторые ограничения по количеству одновременных подключений к серверу документов.<br>Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.",
"DE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.<br>Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "DE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.<br>Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.",
"DE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", "DE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.",
"DE.Controllers.Search.textNoTextFound": "Текст не найден", "DE.Controllers.Search.textNoTextFound": "Текст не найден",
@ -243,6 +253,7 @@
"DE.Controllers.Settings.txtLoading": "Загрузка...", "DE.Controllers.Settings.txtLoading": "Загрузка...",
"DE.Controllers.Settings.unknownText": "Неизвестно", "DE.Controllers.Settings.unknownText": "Неизвестно",
"DE.Controllers.Settings.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.<br>Вы действительно хотите продолжить?", "DE.Controllers.Settings.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.<br>Вы действительно хотите продолжить?",
"DE.Controllers.Settings.warnDownloadAsRTF": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна.<br>Вы действительно хотите продолжить?",
"DE.Controllers.Toolbar.dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения документа. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", "DE.Controllers.Toolbar.dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения документа. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.",
"DE.Controllers.Toolbar.dlgLeaveTitleText": "Вы выходите из приложения", "DE.Controllers.Toolbar.dlgLeaveTitleText": "Вы выходите из приложения",
"DE.Controllers.Toolbar.leaveButtonText": "Уйти со страницы", "DE.Controllers.Toolbar.leaveButtonText": "Уйти со страницы",
@ -281,19 +292,6 @@
"DE.Views.AddOther.textSectionBreak": "Разрыв раздела", "DE.Views.AddOther.textSectionBreak": "Разрыв раздела",
"DE.Views.AddOther.textStartFrom": "Начать с", "DE.Views.AddOther.textStartFrom": "Начать с",
"DE.Views.AddOther.textTip": "Подсказка", "DE.Views.AddOther.textTip": "Подсказка",
"Common.Views.Collaboration.textAcceptAllChanges": "Принять все изменения",
"Common.Views.Collaboration.textBack": "Назад",
"Common.Views.Collaboration.textChange": "Просмотр изменений",
"Common.Views.Collaboration.textCollaboration": "Совместная работа",
"Common.Views.Collaboration.textDisplayMode": "Отображение",
"Common.Views.Collaboration.textEditUsers": "Пользователи",
"Common.Views.Collaboration.textFinal": "Измененный документ",
"Common.Views.Collaboration.textMarkup": "Изменения",
"Common.Views.Collaboration.textOriginal": "Исходный документ",
"Common.Views.Collaboration.textRejectAllChanges": "Отклонить все изменения",
"Common.Views.Collaboration.textReview": "Отслеживание изменений",
"Common.Views.Collaboration.textReviewing": "Рецензирование",
"Common.Views.Collaboration.textСomments": "Комментарии",
"DE.Views.EditChart.textAlign": "Выравнивание", "DE.Views.EditChart.textAlign": "Выравнивание",
"DE.Views.EditChart.textBack": "Назад", "DE.Views.EditChart.textBack": "Назад",
"DE.Views.EditChart.textBackward": "Перенести назад", "DE.Views.EditChart.textBackward": "Перенести назад",
@ -459,14 +457,21 @@
"DE.Views.Settings.textAbout": "О программе", "DE.Views.Settings.textAbout": "О программе",
"DE.Views.Settings.textAddress": "адрес", "DE.Views.Settings.textAddress": "адрес",
"DE.Views.Settings.textAdvancedSettings": "Настройки приложения", "DE.Views.Settings.textAdvancedSettings": "Настройки приложения",
"DE.Views.Settings.textApplication": "Приложение",
"DE.Views.Settings.textAuthor": "Автор", "DE.Views.Settings.textAuthor": "Автор",
"DE.Views.Settings.textBack": "Назад", "DE.Views.Settings.textBack": "Назад",
"DE.Views.Settings.textBottom": "Нижнее", "DE.Views.Settings.textBottom": "Нижнее",
"DE.Views.Settings.textCentimeter": "Сантиметр", "DE.Views.Settings.textCentimeter": "Сантиметр",
"DE.Views.Settings.textCollaboration": "Совместная работа",
"DE.Views.Settings.textColorSchemes": "Цветовые схемы", "DE.Views.Settings.textColorSchemes": "Цветовые схемы",
"DE.Views.Settings.textComment": "Комментарий",
"DE.Views.Settings.textCommentingDisplay": "Отображение комментариев",
"DE.Views.Settings.textCreated": "Создан",
"DE.Views.Settings.textCreateDate": "Дата создания", "DE.Views.Settings.textCreateDate": "Дата создания",
"DE.Views.Settings.textCustom": "Особый", "DE.Views.Settings.textCustom": "Особый",
"DE.Views.Settings.textCustomSize": "Особый размер", "DE.Views.Settings.textCustomSize": "Особый размер",
"DE.Views.Settings.textDisplayComments": "Комментарии",
"DE.Views.Settings.textDisplayResolvedComments": "Решенные комментарии",
"DE.Views.Settings.textDocInfo": "Информация о документе", "DE.Views.Settings.textDocInfo": "Информация о документе",
"DE.Views.Settings.textDocTitle": "Название документа", "DE.Views.Settings.textDocTitle": "Название документа",
"DE.Views.Settings.textDocumentFormats": "Размеры страницы", "DE.Views.Settings.textDocumentFormats": "Размеры страницы",
@ -483,11 +488,15 @@
"DE.Views.Settings.textHiddenTableBorders": "Скрытые границы таблиц", "DE.Views.Settings.textHiddenTableBorders": "Скрытые границы таблиц",
"DE.Views.Settings.textInch": "Дюйм", "DE.Views.Settings.textInch": "Дюйм",
"DE.Views.Settings.textLandscape": "Альбомная", "DE.Views.Settings.textLandscape": "Альбомная",
"DE.Views.Settings.textLastModified": "Последнее изменение",
"DE.Views.Settings.textLastModifiedBy": "Автор последнего изменения",
"DE.Views.Settings.textLeft": "Левое", "DE.Views.Settings.textLeft": "Левое",
"DE.Views.Settings.textLoading": "Загрузка...", "DE.Views.Settings.textLoading": "Загрузка...",
"DE.Views.Settings.textLocation": "Размещение",
"DE.Views.Settings.textMargins": "Поля", "DE.Views.Settings.textMargins": "Поля",
"DE.Views.Settings.textNoCharacters": "Непечатаемые символы", "DE.Views.Settings.textNoCharacters": "Непечатаемые символы",
"DE.Views.Settings.textOrientation": "Ориентация страницы", "DE.Views.Settings.textOrientation": "Ориентация страницы",
"DE.Views.Settings.textOwner": "Владелец",
"DE.Views.Settings.textPages": "Страницы", "DE.Views.Settings.textPages": "Страницы",
"DE.Views.Settings.textParagraphs": "Абзацы", "DE.Views.Settings.textParagraphs": "Абзацы",
"DE.Views.Settings.textPoint": "Пункт", "DE.Views.Settings.textPoint": "Пункт",
@ -501,10 +510,13 @@
"DE.Views.Settings.textSpaces": "Пробелы", "DE.Views.Settings.textSpaces": "Пробелы",
"DE.Views.Settings.textSpellcheck": "Проверка орфографии", "DE.Views.Settings.textSpellcheck": "Проверка орфографии",
"DE.Views.Settings.textStatistic": "Статистика", "DE.Views.Settings.textStatistic": "Статистика",
"DE.Views.Settings.textSubject": "Тема",
"DE.Views.Settings.textSymbols": "Символы", "DE.Views.Settings.textSymbols": "Символы",
"DE.Views.Settings.textTel": "Телефон", "DE.Views.Settings.textTel": "Телефон",
"DE.Views.Settings.textTitle": "Название",
"DE.Views.Settings.textTop": "Верхнее", "DE.Views.Settings.textTop": "Верхнее",
"DE.Views.Settings.textUnitOfMeasurement": "Единица измерения", "DE.Views.Settings.textUnitOfMeasurement": "Единица измерения",
"DE.Views.Settings.textUploaded": "Загружен",
"DE.Views.Settings.textVersion": "Версия", "DE.Views.Settings.textVersion": "Версия",
"DE.Views.Settings.textWords": "Слова", "DE.Views.Settings.textWords": "Слова",
"DE.Views.Settings.unknownText": "Неизвестно", "DE.Views.Settings.unknownText": "Неизвестно",

View file

@ -54,7 +54,7 @@
"DE.Controllers.Main.downloadTitleText": "Sťahovanie dokumentu", "DE.Controllers.Main.downloadTitleText": "Sťahovanie dokumentu",
"DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Spojenie so serverom sa stratilo. Už nemôžete upravovať.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Spojenie so serverom sa stratilo. Už nemôžete upravovať.",
"DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.<br>Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.<br><br>Viac informácií o pripojení dokumentového servera nájdete <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">tu</a>", "DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.<br>Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.<br><br>Viac informácií o pripojení dokumentového servera nájdete <a href=\"%1\" target=\"_blank\">tu</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Externá chyba.<br>Chyba spojenia databázy. Obráťte sa prosím na podporu.", "DE.Controllers.Main.errorDatabaseConnection": "Externá chyba.<br>Chyba spojenia databázy. Obráťte sa prosím na podporu.",
"DE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", "DE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.",
"DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1",
@ -149,8 +149,8 @@
"DE.Controllers.Main.uploadImageTextText": "Nahrávanie obrázku...", "DE.Controllers.Main.uploadImageTextText": "Nahrávanie obrázku...",
"DE.Controllers.Main.uploadImageTitleText": "Nahrávanie obrázku", "DE.Controllers.Main.uploadImageTitleText": "Nahrávanie obrázku",
"DE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.<br>Prosím, aktualizujte si svoju licenciu a obnovte stránku.", "DE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.<br>Prosím, aktualizujte si svoju licenciu a obnovte stránku.",
"DE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie ONLYOFFICE Editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. <br> Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.", "DE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie %1 editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. <br> Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
"DE.Controllers.Main.warnNoLicenseUsers": "Táto verzia ONLYOFFICE Editors má určité obmedzenia pre spolupracujúcich používateľov. <br> Ak potrebujete viac, zvážte aktualizáciu vašej aktuálnej licencie alebo kúpu komerčnej.", "DE.Controllers.Main.warnNoLicenseUsers": "Táto verzia %1 editors má určité obmedzenia pre spolupracujúcich používateľov. <br> Ak potrebujete viac, zvážte aktualizáciu vašej aktuálnej licencie alebo kúpu komerčnej.",
"DE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.", "DE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.",
"DE.Controllers.Search.textNoTextFound": "Text nebol nájdený", "DE.Controllers.Search.textNoTextFound": "Text nebol nájdený",
"DE.Controllers.Search.textReplaceAll": "Nahradiť všetko", "DE.Controllers.Search.textReplaceAll": "Nahradiť všetko",

View file

@ -53,7 +53,7 @@
"DE.Controllers.Main.downloadTitleText": "Belge indiriliyor", "DE.Controllers.Main.downloadTitleText": "Belge indiriliyor",
"DE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "DE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kayboldu. Artık düzenleyemezsiniz.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kayboldu. Artık düzenleyemezsiniz.",
"DE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin. <br>'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.<br><br>Belge Sunucusuna bağlanma konusunda daha fazla bilgi için <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">buraya</a> tıklayın", "DE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin. <br>'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.<br><br>Belge Sunucusuna bağlanma konusunda daha fazla bilgi için <a href=\"%1\" target=\"_blank\">buraya</a> tıklayın",
"DE.Controllers.Main.errorDatabaseConnection": "Dışsal hata.<br>Veritabanı bağlantı hatası. Lütfen destek ile iletişime geçin.", "DE.Controllers.Main.errorDatabaseConnection": "Dışsal hata.<br>Veritabanı bağlantı hatası. Lütfen destek ile iletişime geçin.",
"DE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", "DE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.",
"DE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1", "DE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1",
@ -145,7 +145,7 @@
"DE.Controllers.Main.uploadImageTextText": "Resim yükleniyor...", "DE.Controllers.Main.uploadImageTextText": "Resim yükleniyor...",
"DE.Controllers.Main.uploadImageTitleText": "Resim Yükleniyor", "DE.Controllers.Main.uploadImageTitleText": "Resim Yükleniyor",
"DE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. <br> Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.", "DE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. <br> Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.",
"DE.Controllers.Main.warnNoLicense": "ONLYOFFICE'ın açık kaynaklı bir sürümünü kullanıyorsunuz. Sürüm, doküman sunucusuna eş zamanlı bağlantılar için sınırlamalar getiriyor (bir seferde 20 bağlantı). <br> Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.", "DE.Controllers.Main.warnNoLicense": "%1'ın açık kaynaklı bir sürümünü kullanıyorsunuz. Sürüm, doküman sunucusuna eş zamanlı bağlantılar için sınırlamalar getiriyor (bir seferde 20 bağlantı). <br> Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.",
"DE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi", "DE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi",
"DE.Controllers.Search.textNoTextFound": "Metin Bulunamadı", "DE.Controllers.Search.textNoTextFound": "Metin Bulunamadı",
"DE.Controllers.Search.textReplaceAll": "Tümünü Değiştir", "DE.Controllers.Search.textReplaceAll": "Tümünü Değiştir",

View file

@ -53,7 +53,7 @@
"DE.Controllers.Main.downloadTitleText": "Завантаження документу", "DE.Controllers.Main.downloadTitleText": "Завантаження документу",
"DE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "DE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Ви більше не можете редагувати.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Ви більше не можете редагувати.",
"DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора. <br> Після натискання кнопки «ОК» вам буде запропоновано завантажити документ. <br> <br> Більше інформації про підключення сервера документів <a href = \"https: //api.onlyoffice.com/editors/callback \"target =\" _ blank \"> тут </ a>", "DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.<br>Після натискання кнопки «ОК» вам буде запропоновано завантажити документ. <br><br>Більше інформації про підключення сервера документів <a href=\"%1\" target=\"_blank\">тут</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка. <br> Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки.", "DE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка. <br> Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки.",
"DE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "DE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.",
"DE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", "DE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ",
@ -145,7 +145,7 @@
"DE.Controllers.Main.uploadImageTextText": "Завантаження зображення...", "DE.Controllers.Main.uploadImageTextText": "Завантаження зображення...",
"DE.Controllers.Main.uploadImageTitleText": "Завантаження зображення", "DE.Controllers.Main.uploadImageTitleText": "Завантаження зображення",
"DE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. <br> Будь ласка, оновіть свою ліцензію та оновіть сторінку.", "DE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. <br> Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
"DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). <br> Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.", "DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). <br> Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"DE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.", "DE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"DE.Controllers.Search.textNoTextFound": "Текст не знайдено", "DE.Controllers.Search.textNoTextFound": "Текст не знайдено",
"DE.Controllers.Search.textReplaceAll": "Замінити усе", "DE.Controllers.Search.textReplaceAll": "Замінити усе",

View file

@ -53,7 +53,7 @@
"DE.Controllers.Main.downloadTitleText": "Đang tải tài liệu...", "DE.Controllers.Main.downloadTitleText": "Đang tải tài liệu...",
"DE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "DE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Kết nối máy chủ bị mất. Bạn không thể chỉnh sửa nữa.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Kết nối máy chủ bị mất. Bạn không thể chỉnh sửa nữa.",
"DE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.<br>Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.<br><br>Tìm thêm thông tin về kết nối Server Tài liệu <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">ở đây</a>", "DE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.<br>Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.<br><br>Tìm thêm thông tin về kết nối Server Tài liệu <a href=\"%1\" target=\"_blank\">ở đây</a>",
"DE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.<br>Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ.", "DE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.<br>Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ.",
"DE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.", "DE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.",
"DE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1", "DE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1",
@ -145,7 +145,7 @@
"DE.Controllers.Main.uploadImageTextText": "Đang tải lên hình ảnh...", "DE.Controllers.Main.uploadImageTextText": "Đang tải lên hình ảnh...",
"DE.Controllers.Main.uploadImageTitleText": "Đang tải lên hình ảnh", "DE.Controllers.Main.uploadImageTitleText": "Đang tải lên hình ảnh",
"DE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn.<br>Vui lòng cập nhật giấy phép và làm mới trang.", "DE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn.<br>Vui lòng cập nhật giấy phép và làm mới trang.",
"DE.Controllers.Main.warnNoLicense": "Bạn đang sử dụng phiên bản nguồn mở của ONLYOFFICE. Phiên bản có giới hạn các kết nối đồng thời với server tài liệu (20 kết nối cùng một lúc).<br>Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.", "DE.Controllers.Main.warnNoLicense": "Bạn đang sử dụng phiên bản nguồn mở của %1. Phiên bản có giới hạn các kết nối đồng thời với server tài liệu (20 kết nối cùng một lúc).<br>Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.",
"DE.Controllers.Main.warnProcessRightsChange": "Bạn đã bị từ chối quyền chỉnh sửa file này.", "DE.Controllers.Main.warnProcessRightsChange": "Bạn đã bị từ chối quyền chỉnh sửa file này.",
"DE.Controllers.Search.textNoTextFound": "Không tìm thấy nội dung", "DE.Controllers.Search.textNoTextFound": "Không tìm thấy nội dung",
"DE.Controllers.Search.textReplaceAll": "Thay thế tất cả", "DE.Controllers.Search.textReplaceAll": "Thay thế tất cả",

View file

@ -14,8 +14,6 @@
"DE.Controllers.AddTable.textColumns": "列", "DE.Controllers.AddTable.textColumns": "列",
"DE.Controllers.AddTable.textRows": "行", "DE.Controllers.AddTable.textRows": "行",
"DE.Controllers.AddTable.textTableSize": "表格大小", "DE.Controllers.AddTable.textTableSize": "表格大小",
"DE.Controllers.DocumentHolder.menuAccept": "接受",
"DE.Controllers.DocumentHolder.menuAcceptAll": "接受全部",
"DE.Controllers.DocumentHolder.menuAddLink": "增加链接", "DE.Controllers.DocumentHolder.menuAddLink": "增加链接",
"DE.Controllers.DocumentHolder.menuCopy": "复制", "DE.Controllers.DocumentHolder.menuCopy": "复制",
"DE.Controllers.DocumentHolder.menuCut": "剪切", "DE.Controllers.DocumentHolder.menuCut": "剪切",
@ -24,8 +22,6 @@
"DE.Controllers.DocumentHolder.menuMore": "更多", "DE.Controllers.DocumentHolder.menuMore": "更多",
"DE.Controllers.DocumentHolder.menuOpenLink": "打开链接", "DE.Controllers.DocumentHolder.menuOpenLink": "打开链接",
"DE.Controllers.DocumentHolder.menuPaste": "粘贴", "DE.Controllers.DocumentHolder.menuPaste": "粘贴",
"DE.Controllers.DocumentHolder.menuReject": "拒绝",
"DE.Controllers.DocumentHolder.menuRejectAll": "拒绝全部",
"DE.Controllers.DocumentHolder.menuReview": "检查", "DE.Controllers.DocumentHolder.menuReview": "检查",
"DE.Controllers.DocumentHolder.sheetCancel": "取消", "DE.Controllers.DocumentHolder.sheetCancel": "取消",
"DE.Controllers.DocumentHolder.textGuest": "游客", "DE.Controllers.DocumentHolder.textGuest": "游客",
@ -62,7 +58,7 @@
"DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.", "DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.",
"DE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "DE.Controllers.Main.errorBadImageUrl": "图片地址不正确",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。您无法再进行编辑。", "DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。您无法再进行编辑。",
"DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。<br>当你点击“OK”按钮,系统将提示您下载文档。<br><br>找到更多信息连接文件服务器<a href=\"https://api.onlyoffice.com/editors/callback\" target=\"平等\">在这里</>", "DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。<br>当你点击“OK”按钮,系统将提示您下载文档。<br><br>找到更多信息连接文件服务器<a href=\"%1\" target=\"平等\">在这里</>",
"DE.Controllers.Main.errorDatabaseConnection": "外部错误。<br>数据库连接错误。请联系客服支持。", "DE.Controllers.Main.errorDatabaseConnection": "外部错误。<br>数据库连接错误。请联系客服支持。",
"DE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", "DE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。",
"DE.Controllers.Main.errorDataRange": "数据范围不正确", "DE.Controllers.Main.errorDataRange": "数据范围不正确",
@ -167,7 +163,7 @@
"DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。<br>请更新您的许可证并刷新页面。", "DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。<br>请更新您的许可证并刷新页面。",
"DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。<br>请联系您的账户管理员了解详情。", "DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。<br>请联系您的账户管理员了解详情。",
"DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。<br>如果需要更多请考虑购买商业许可证。", "DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。<br>如果需要更多请考虑购买商业许可证。",
"DE.Controllers.Main.warnNoLicenseUsers": "此版本的ONLYOFFICE编辑器对并发用户数量有一定的限制。<br>如果需要更多,请考虑购买商用许可证。", "DE.Controllers.Main.warnNoLicenseUsers": "此版本的%1编辑器对并发用户数量有一定的限制。<br>如果需要更多,请考虑购买商用许可证。",
"DE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", "DE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"DE.Controllers.Search.textNoTextFound": "文本没找到", "DE.Controllers.Search.textNoTextFound": "文本没找到",
"DE.Controllers.Search.textReplaceAll": "全部替换", "DE.Controllers.Search.textReplaceAll": "全部替换",

View file

@ -63,6 +63,19 @@ var c_tableBorder = {
BORDER_OUTER_TABLE: 13 // table border and outer cell borders BORDER_OUTER_TABLE: 13 // table border and outer cell borders
}; };
var c_paragraphTextAlignment = {
RIGHT: 0,
LEFT: 1,
CENTERED: 2,
JUSTIFIED: 3
};
var c_paragraphSpecial = {
NONE_SPECIAL: 0,
FIRST_LINE: 1,
HANGING: 2
};
define([ define([
'core', 'core',
'presentationeditor/main/app/view/DocumentHolder' 'presentationeditor/main/app/view/DocumentHolder'

View file

@ -1554,7 +1554,10 @@ define([
Common.Utils.ThemeColor.setColors(colors, standart_colors); Common.Utils.ThemeColor.setColors(colors, standart_colors);
if (window.styles_loaded) { if (window.styles_loaded) {
this.updateThemeColors(); this.updateThemeColors();
this.fillTextArt(this.api.asc_getTextArtPreviews()); var me = this;
setTimeout(function(){
me.fillTextArt(me.api.asc_getTextArtPreviews());
}, 1);
} }
}, },

View file

@ -307,6 +307,7 @@ define([
toolbar.btnClearStyle.on('click', _.bind(this.onClearStyleClick, this)); toolbar.btnClearStyle.on('click', _.bind(this.onClearStyleClick, this));
toolbar.btnCopyStyle.on('toggle', _.bind(this.onCopyStyleToggle, this)); toolbar.btnCopyStyle.on('toggle', _.bind(this.onCopyStyleToggle, this));
toolbar.btnColorSchemas.menu.on('item:click', _.bind(this.onColorSchemaClick, this)); toolbar.btnColorSchemas.menu.on('item:click', _.bind(this.onColorSchemaClick, this));
toolbar.btnColorSchemas.menu.on('show:after', _.bind(this.onColorSchemaShow, this));
toolbar.btnSlideSize.menu.on('item:click', _.bind(this.onSlideSize, this)); toolbar.btnSlideSize.menu.on('item:click', _.bind(this.onSlideSize, this));
toolbar.mnuInsertChartPicker.on('item:click', _.bind(this.onSelectChart, this)); toolbar.mnuInsertChartPicker.on('item:click', _.bind(this.onSelectChart, this));
toolbar.listTheme.on('click', _.bind(this.onListThemeSelect, this)); toolbar.listTheme.on('click', _.bind(this.onListThemeSelect, this));
@ -1531,6 +1532,14 @@ define([
Common.NotificationCenter.trigger('edit:complete', this.toolbar); Common.NotificationCenter.trigger('edit:complete', this.toolbar);
}, },
onColorSchemaShow: function(menu) {
if (this.api) {
var value = this.api.asc_GetCurrentColorSchemeName();
var item = _.find(menu.items, function(item) { return item.value == value; });
(item) ? item.setChecked(true) : menu.clearAll();
}
},
onSlideSize: function(menu, item) { onSlideSize: function(menu, item) {
if (item.value !== 'advanced') { if (item.value !== 'advanced') {
var portrait = (this.currentPageSize.height > this.currentPageSize.width); var portrait = (this.currentPageSize.height > this.currentPageSize.width);

View file

@ -1,98 +1,114 @@
<div id="id-adv-paragraph-indents" class="settings-panel active"> <div id="id-adv-paragraph-indents" class="settings-panel active">
<div class="inner-content"> <div class="inner-content">
<table cols="3" style="width: 100%;"> <div>
<tr> <div class="padding-large" style="display: inline-block;">
<td class="padding-large"> <label class="input-label"><%= scope.textAlign %></label>
<label class="input-label"><%= scope.strIndentsFirstLine %></label> <div id="paragraphadv-spin-text-alignment"></div>
<div id="paragraphadv-spin-first-line" style="width: 85px;"></div> </div>
</td> </div>
<td class="padding-large"> <div style="padding-bottom: 4px;"><label class="header"><%= scope.strIndent %></label></div>
<label class="input-label"><%= scope.strIndentsLeftText %></label> <div>
<div id="paragraphadv-spin-indent-left"></div> <div class="padding-large" style="display: inline-block;">
</td> <label class="input-label"><%= scope.strIndentsLeftText %></label>
<td class="padding-large"> <div id="paragraphadv-spin-indent-left"></div>
<label class="input-label"><%= scope.strIndentsRightText %></label> </div>
<div id="paragraphadv-spin-indent-right"></div> <div class="padding-large" style="display: inline-block;">
</td> <label class="input-label"><%= scope.strIndentsRightText %></label>
</tr> <div id="paragraphadv-spin-indent-right"></div>
</table> </div>
<div class="padding-large" style="display: inline-block;">
<div>
<label class="input-label"><%= scope.strIndentsSpecial %></label>
</div>
<div>
<div id="paragraphadv-spin-special" style="display: inline-block;"></div>
<div id="paragraphadv-spin-special-by" style="display: inline-block;"></div>
</div>
</div>
</div>
<div style="padding-bottom: 4px;"><label class="header"><%= scope.strSpacing %></label></div>
<div>
<div style="display: inline-block;">
<label class="input-label"><%= scope.strIndentsSpacingBefore %></label>
<div id="paragraphadv-spin-spacing-before"></div>
</div>
<div style="display: inline-block;">
<label class="input-label"><%= scope.strIndentsSpacingAfter %></label>
<div id="paragraphadv-spin-spacing-after"></div>
</div>
<div style="display: inline-block;">
<div>
<label class="input-label"><%= scope.strIndentsLineSpacing %></label>
</div>
<div>
<div id="paragraphadv-spin-line-rule" style="display: inline-block;"></div>
<div id="paragraphadv-spin-line-height" style="display: inline-block;"></div>
</div>
</div>
</div>
<div class="padding-large" style="padding-top: 16px; display: none;">
<div style="border: 1px solid #cbcbcb; width: 350px;">
<div id="paragraphadv-indent-preview" style="height: 80px; position: relative;"></div>
</div>
</div>
</div> </div>
</div> </div>
<div id="id-adv-paragraph-font" class="settings-panel"> <div id="id-adv-paragraph-font" class="settings-panel">
<div class="inner-content"> <div class="inner-content" style="width: 100%;">
<table cols="2" style="width: 100%;"> <div class="padding-small">
<tr> <label class="header"><%= scope.textEffects %></label>
<td colspan=2 class="padding-small"> </div>
<label class="header"><%= scope.textEffects %></label> <div>
</td> <div class="padding-large" style="display: inline-block;">
</tr> <div class="padding-small" id="paragraphadv-checkbox-strike"></div>
<tr> <div class="padding-small" id="paragraphadv-checkbox-double-strike"></div>
<td class="padding-small"> <div id="paragraphadv-checkbox-superscript"></div>
<div id="paragraphadv-checkbox-strike"></div> </div>
</td> <div class="padding-large" style="display: inline-block; padding-left: 40px;">
<td class="padding-small"> <div class="padding-small" id="paragraphadv-checkbox-subscript"></div>
<div id="paragraphadv-checkbox-subscript"></div> <div class="padding-small" id="paragraphadv-checkbox-small-caps"></div>
</td> <div id="paragraphadv-checkbox-all-caps"></div>
</tr> </div>
<tr> </div>
<td class="padding-small"> <div class="padding-small">
<div id="paragraphadv-checkbox-double-strike"></div> <label class="header"><%= scope.textCharacterSpacing %></label>
</td> </div>
<td class="padding-small"> <div class="padding-large">
<div id="paragraphadv-checkbox-small-caps"></div> <div style="display: inline-block;">
</td> <div id="paragraphadv-spin-spacing"></div>
</tr> </div>
<tr> </div>
<td class="padding-large"> <div style="border: 1px solid #cbcbcb;">
<div id="paragraphadv-checkbox-superscript"></div> <div id="paragraphadv-font-img" style="width: 300px; height: 80px; position: relative; margin: 0 auto;"></div>
</td> </div>
<td class="padding-large">
<div id="paragraphadv-checkbox-all-caps"></div>
</td>
</tr>
<tr>
<td colspan=2 class="padding-small">
<label class="header"><%= scope.textCharacterSpacing %></label>
</td>
</tr>
<tr>
<td colspan=2 class="padding-large" width="50%">
<div id="paragraphadv-spin-spacing"></div>
</td>
</tr>
<tr>
<td colspan=2>
<div style="border: 1px solid #cbcbcb;">
<div id="paragraphadv-font-img" style="width: 300px; height: 80px; position: relative;"></div>
</div>
</td>
</tr>
</table>
</div> </div>
</div> </div>
<div id="id-adv-paragraph-tabs" class="settings-panel"> <div id="id-adv-paragraph-tabs" class="settings-panel">
<div class="inner-content"> <div class="inner-content">
<div class="padding-small" style="display: inline-block;"> <div class="padding-large">
<label class="input-label"><%= scope.textTabPosition %></label>
<div id="paraadv-spin-tab"></div>
</div>
<div class="padding-small" style="display: inline-block; float: right;">
<label class="input-label"><%= scope.textDefault %></label> <label class="input-label"><%= scope.textDefault %></label>
<div id="paraadv-spin-default-tab"></div> <div id="paraadv-spin-default-tab"></div>
</div>
<div class="padding-large">
<div id="paraadv-list-tabs" style="width:180px; height: 94px;"></div>
</div>
<div class="padding-large" >
<label class="input-label padding-small" style="display: block;"><%= scope.textAlign %></label>
<div id="paragraphadv-radio-left" class="padding-small" style="display: block;"></div>
<div id="paragraphadv-radio-center" class="padding-small" style="display: block;"></div>
<div id="paragraphadv-radio-right" style="display: block;"></div>
</div> </div>
<div> <div>
<button type="button" class="btn btn-text-default" id="paraadv-button-add-tab" style="width:90px;margin-right: 4px;"><%= scope.textSet %></button> <div class="padding-large" style="display: inline-block; margin-right: 9px;">
<button type="button" class="btn btn-text-default" id="paraadv-button-remove-tab" style="width:90px;margin-right: 4px;"><%= scope.textRemove %></button> <label class="input-label"><%= scope.textTabPosition %></label>
<button type="button" class="btn btn-text-default" id="paraadv-button-remove-all" style="width:90px;margin-right: 4px;"><%= scope.textRemoveAll %></button> <div id="paraadv-spin-tab"></div>
</div>
<div class="padding-large" style=" display: inline-block; margin-right: 9px;">
<label class="input-label"><%= scope.textAlign %></label>
<div id="paraadv-cmb-align"></div>
</div>
</div>
<div>
<div colspan=3 class="padding-large">
<div id="paraadv-list-tabs" style="width:348px; height: 110px;"></div>
</div>
</div>
<div>
<button type="button" class="btn btn-text-default" id="paraadv-button-add-tab" style="width:108px;margin-right: 9px; display: inline-block;"><%= scope.textSet %></button>
<button type="button" class="btn btn-text-default" id="paraadv-button-remove-tab" style="width:108px;margin-right: 9px; display: inline-block;"><%= scope.textRemove %></button>
<button type="button" class="btn btn-text-default" id="paraadv-button-remove-all" style="width:108px;display: inline-block;"><%= scope.textRemoveAll %></button>
</div> </div>
</div> </div>
</div> </div>

View file

@ -2174,7 +2174,7 @@ define([
menu : new Common.UI.Menu({ menu : new Common.UI.Menu({
cls: 'lang-menu', cls: 'lang-menu',
menuAlign: 'tl-tr', menuAlign: 'tl-tr',
restoreHeight: 300, restoreHeight: 285,
items : [], items : [],
search: true search: true
}) })
@ -2249,7 +2249,7 @@ define([
menu : new Common.UI.Menu({ menu : new Common.UI.Menu({
cls: 'lang-menu', cls: 'lang-menu',
menuAlign: 'tl-tr', menuAlign: 'tl-tr',
restoreHeight: 300, restoreHeight: 285,
items : [], items : [],
search: true search: true
}) })

View file

@ -245,23 +245,21 @@ define([
}, },
applyMode: function() { applyMode: function() {
this.miDownload[(this.mode.canDownload && (!this.mode.isDesktopApp || !this.mode.isOffline))?'show':'hide']();
this.miSaveCopyAs[(this.mode.canDownload && (!this.mode.isDesktopApp || !this.mode.isOffline)) && (this.mode.canRequestSaveAs || this.mode.saveAsUrl) ?'show':'hide']();
this.miSaveAs[(this.mode.canDownload && this.mode.isDesktopApp && this.mode.isOffline)?'show':'hide']();
this.miSave[this.mode.isEdit?'show':'hide']();
this.miEdit[!this.mode.isEdit && this.mode.canEdit && this.mode.canRequestEditRights ?'show':'hide']();
this.miPrint[this.mode.canPrint?'show':'hide'](); this.miPrint[this.mode.canPrint?'show':'hide']();
this.miRename[(this.mode.canRename && !this.mode.isDesktopApp) ?'show':'hide'](); this.miRename[(this.mode.canRename && !this.mode.isDesktopApp) ?'show':'hide']();
this.miProtect[this.mode.canProtect ?'show':'hide'](); this.miProtect[this.mode.canProtect ?'show':'hide']();
this.miProtect.$el.find('+.devider')[!this.mode.isDisconnected?'show':'hide'](); var isVisible = this.mode.canDownload || this.mode.isEdit || this.mode.canPrint || this.mode.canProtect ||
!this.mode.isEdit && this.mode.canEdit && this.mode.canRequestEditRights || this.mode.canRename && !this.mode.isDesktopApp;
this.miProtect.$el.find('+.devider')[isVisible && !this.mode.isDisconnected?'show':'hide']();
this.miRecent[this.mode.canOpenRecent?'show':'hide'](); this.miRecent[this.mode.canOpenRecent?'show':'hide']();
this.miNew[this.mode.canCreateNew?'show':'hide'](); this.miNew[this.mode.canCreateNew?'show':'hide']();
this.miNew.$el.find('+.devider')[this.mode.canCreateNew?'show':'hide'](); this.miNew.$el.find('+.devider')[this.mode.canCreateNew?'show':'hide']();
this.miDownload[(this.mode.canDownload && (!this.mode.isDesktopApp || !this.mode.isOffline))?'show':'hide']();
this.miSaveCopyAs[((this.mode.canDownload || this.mode.canDownloadOrigin) && (!this.mode.isDesktopApp || !this.mode.isOffline)) && (this.mode.canRequestSaveAs || this.mode.saveAsUrl) ?'show':'hide']();
this.miSaveAs[(this.mode.canDownload && this.mode.isDesktopApp && this.mode.isOffline)?'show':'hide']();
// this.hkSaveAs[this.mode.canDownload?'enable':'disable']();
this.miSave[this.mode.isEdit?'show':'hide']();
this.miEdit[!this.mode.isEdit && this.mode.canEdit && this.mode.canRequestEditRights ?'show':'hide']();
this.miAccess[(!this.mode.isOffline && this.document&&this.document.info&&(this.document.info.sharingSettings&&this.document.info.sharingSettings.length>0 || this.miAccess[(!this.mode.isOffline && this.document&&this.document.info&&(this.document.info.sharingSettings&&this.document.info.sharingSettings.length>0 ||
this.mode.sharingSettingsUrl&&this.mode.sharingSettingsUrl.length))?'show':'hide'](); this.mode.sharingSettingsUrl&&this.mode.sharingSettingsUrl.length))?'show':'hide']();

View file

@ -612,14 +612,14 @@ define([
// '<td class="left"><label>' + this.txtEditTime + '</label></td>', // '<td class="left"><label>' + this.txtEditTime + '</label></td>',
// '<td class="right"><label id="id-info-edittime"></label></td>', // '<td class="right"><label id="id-info-edittime"></label></td>',
// '</tr>', // '</tr>',
'<tr>',
'<td class="left"><label>' + this.txtSubject + '</label></td>',
'<td class="right"><div id="id-info-subject"></div></td>',
'</tr>',
'<tr>', '<tr>',
'<td class="left"><label>' + this.txtTitle + '</label></td>', '<td class="left"><label>' + this.txtTitle + '</label></td>',
'<td class="right"><div id="id-info-title"></div></td>', '<td class="right"><div id="id-info-title"></div></td>',
'</tr>', '</tr>',
'<tr>',
'<td class="left"><label>' + this.txtSubject + '</label></td>',
'<td class="right"><div id="id-info-subject"></div></td>',
'</tr>',
'<tr>', '<tr>',
'<td class="left"><label>' + this.txtComment + '</label></td>', '<td class="left"><label>' + this.txtComment + '</label></td>',
'<td class="right"><div id="id-info-comment"></div></td>', '<td class="right"><div id="id-info-comment"></div></td>',

View file

@ -49,13 +49,14 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
PE.Views.ParagraphSettingsAdvanced = Common.Views.AdvancedSettingsWindow.extend(_.extend({ PE.Views.ParagraphSettingsAdvanced = Common.Views.AdvancedSettingsWindow.extend(_.extend({
options: { options: {
contentWidth: 320, contentWidth: 370,
height: 394, height: 394,
toggleGroup: 'paragraph-adv-settings-group', toggleGroup: 'paragraph-adv-settings-group',
storageName: 'pe-para-settings-adv-category' storageName: 'pe-para-settings-adv-category'
}, },
initialize : function(options) { initialize : function(options) {
var me = this;
_.extend(this.options, { _.extend(this.options, {
title: this.textTitle, title: this.textTitle,
items: [ items: [
@ -74,9 +75,43 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
this._noApply = true; this._noApply = true;
this._tabListChanged = false; this._tabListChanged = false;
this.spinners = []; this.spinners = [];
this.FirstLine = undefined;
this.Spacing = null;
this.api = this.options.api; this.api = this.options.api;
this._originalProps = new Asc.asc_CParagraphProperty(this.options.paragraphProps); this._originalProps = new Asc.asc_CParagraphProperty(this.options.paragraphProps);
this._arrLineRule = [
{displayValue: this.textAuto, defaultValue: 1, value: c_paragraphLinerule.LINERULE_AUTO, minValue: 0.5, step: 0.01, defaultUnit: ''},
{displayValue: this.textExact, defaultValue: 5, value: c_paragraphLinerule.LINERULE_EXACT, minValue: 0.03, step: 0.01, defaultUnit: 'cm'}
];
var curLineRule = this._originalProps.get_Spacing().get_LineRule(),
curItem = _.findWhere(this._arrLineRule, {value: curLineRule});
this.CurLineRuleIdx = this._arrLineRule.indexOf(curItem);
this._arrTextAlignment = [
{displayValue: this.textTabLeft, value: c_paragraphTextAlignment.LEFT},
{displayValue: this.textTabCenter, value: c_paragraphTextAlignment.CENTERED},
{displayValue: this.textTabRight, value: c_paragraphTextAlignment.RIGHT},
{displayValue: this.textJustified, value: c_paragraphTextAlignment.JUSTIFIED}
];
this._arrSpecial = [
{displayValue: this.textNoneSpecial, value: c_paragraphSpecial.NONE_SPECIAL, defaultValue: 0},
{displayValue: this.textFirstLine, value: c_paragraphSpecial.FIRST_LINE, defaultValue: 12.7},
{displayValue: this.textHanging, value: c_paragraphSpecial.HANGING, defaultValue: 12.7}
];
this._arrTabAlign = [
{ value: 1, displayValue: this.textTabLeft },
{ value: 3, displayValue: this.textTabCenter },
{ value: 2, displayValue: this.textTabRight }
];
this._arrKeyTabAlign = [];
this._arrTabAlign.forEach(function(item) {
me._arrKeyTabAlign[item.value] = item.displayValue;
});
}, },
render: function() { render: function() {
@ -86,24 +121,15 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
// Indents & Placement // Indents & Placement
this.numFirstLine = new Common.UI.MetricSpinner({ this.cmbTextAlignment = new Common.UI.ComboBox({
el: $('#paragraphadv-spin-first-line'), el: $('#paragraphadv-spin-text-alignment'),
step: .1, cls: 'input-group-nr',
width: 85, editable: false,
defaultUnit : "cm", data: this._arrTextAlignment,
defaultValue : 0, style: 'width: 173px;',
value: '0 cm', menuStyle : 'min-width: 173px;'
maxValue: 55.87,
minValue: -55.87
}); });
this.numFirstLine.on('change', _.bind(function(field, newValue, oldValue, eOpts){ this.cmbTextAlignment.setValue('');
if (this._changedProps) {
if (this._changedProps.get_Ind()===null || this._changedProps.get_Ind()===undefined)
this._changedProps.put_Ind(new Asc.asc_CParagraphInd());
this._changedProps.get_Ind().put_FirstLine(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()));
}
}, this));
this.spinners.push(this.numFirstLine);
this.numIndentsLeft = new Common.UI.MetricSpinner({ this.numIndentsLeft = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-indent-left'), el: $('#paragraphadv-spin-indent-left'),
@ -122,9 +148,6 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
this._changedProps.put_Ind(new Asc.asc_CParagraphInd()); this._changedProps.put_Ind(new Asc.asc_CParagraphInd());
this._changedProps.get_Ind().put_Left(Common.Utils.Metric.fnRecalcToMM(numval)); this._changedProps.get_Ind().put_Left(Common.Utils.Metric.fnRecalcToMM(numval));
} }
this.numFirstLine.setMinValue(-numval);
if (this.numFirstLine.getNumberValue() < -numval)
this.numFirstLine.setValue(-numval);
}, this)); }, this));
this.spinners.push(this.numIndentsLeft); this.spinners.push(this.numIndentsLeft);
@ -147,6 +170,93 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
}, this)); }, this));
this.spinners.push(this.numIndentsRight); this.spinners.push(this.numIndentsRight);
this.cmbSpecial = new Common.UI.ComboBox({
el: $('#paragraphadv-spin-special'),
cls: 'input-group-nr',
editable: false,
data: this._arrSpecial,
style: 'width: 85px;',
menuStyle : 'min-width: 85px;'
});
this.cmbSpecial.setValue('');
this.cmbSpecial.on('selected', _.bind(this.onSpecialSelect, this));
this.numSpecialBy = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-special-by'),
step: .1,
width: 85,
defaultUnit : "cm",
defaultValue : 0,
value: '0 cm',
maxValue: 55.87,
minValue: 0
});
this.spinners.push(this.numSpecialBy);
this.numSpecialBy.on('change', _.bind(this.onFirstLineChange, this));
this.numSpacingBefore = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-spacing-before'),
step: .1,
width: 85,
value: '',
defaultUnit : "cm",
maxValue: 55.88,
minValue: 0,
allowAuto : true,
autoText : this.txtAutoText
});
this.numSpacingBefore.on('change', _.bind(function (field, newValue, oldValue, eOpts) {
if (this.Spacing === null) {
var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty();
this.Spacing = properties.get_Spacing();
}
this.Spacing.Before = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue());
}, this));
this.spinners.push(this.numSpacingBefore);
this.numSpacingAfter = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-spacing-after'),
step: .1,
width: 85,
value: '',
defaultUnit : "cm",
maxValue: 55.88,
minValue: 0,
allowAuto : true,
autoText : this.txtAutoText
});
this.numSpacingAfter.on('change', _.bind(function (field, newValue, oldValue, eOpts) {
if (this.Spacing === null) {
var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty();
this.Spacing = properties.get_Spacing();
}
this.Spacing.After = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue());
}, this));
this.spinners.push(this.numSpacingAfter);
this.cmbLineRule = new Common.UI.ComboBox({
el: $('#paragraphadv-spin-line-rule'),
cls: 'input-group-nr',
editable: false,
data: this._arrLineRule,
style: 'width: 85px;',
menuStyle : 'min-width: 85px;'
});
this.cmbLineRule.setValue(this.CurLineRuleIdx);
this.cmbLineRule.on('selected', _.bind(this.onLineRuleSelect, this));
this.numLineHeight = new Common.UI.MetricSpinner({
el: $('#paragraphadv-spin-line-height'),
step: .01,
width: 85,
value: '',
defaultUnit : "",
maxValue: 132,
minValue: 0.5
});
this.spinners.push(this.numLineHeight);
this.numLineHeight.on('change', _.bind(this.onNumLineHeightChange, this));
// Font // Font
this.chStrike = new Common.UI.CheckBox({ this.chStrike = new Common.UI.CheckBox({
@ -211,7 +321,7 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
this.numTab = new Common.UI.MetricSpinner({ this.numTab = new Common.UI.MetricSpinner({
el: $('#paraadv-spin-tab'), el: $('#paraadv-spin-tab'),
step: .1, step: .1,
width: 180, width: 108,
defaultUnit : "cm", defaultUnit : "cm",
value: '1.25 cm', value: '1.25 cm',
maxValue: 55.87, maxValue: 55.87,
@ -222,7 +332,7 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
this.numDefaultTab = new Common.UI.MetricSpinner({ this.numDefaultTab = new Common.UI.MetricSpinner({
el: $('#paraadv-spin-default-tab'), el: $('#paraadv-spin-default-tab'),
step: .1, step: .1,
width: 107, width: 108,
defaultUnit : "cm", defaultUnit : "cm",
value: '1.25 cm', value: '1.25 cm',
maxValue: 55.87, maxValue: 55.87,
@ -238,7 +348,14 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
this.tabList = new Common.UI.ListView({ this.tabList = new Common.UI.ListView({
el: $('#paraadv-list-tabs'), el: $('#paraadv-list-tabs'),
emptyText: this.noTabs, emptyText: this.noTabs,
store: new Common.UI.DataViewStore() store: new Common.UI.DataViewStore(),
template: _.template(['<div class="listview inner" style=""></div>'].join('')),
itemTemplate: _.template([
'<div id="<%= id %>" class="list-item" style="width: 100%;display:inline-block;">',
'<div style="width: 117px;display: inline-block;"><%= value %></div>',
'<div style="display: inline-block;"><%= displayTabAlign %></div>',
'</div>'
].join(''))
}); });
this.tabList.store.comparator = function(rec) { this.tabList.store.comparator = function(rec) {
return rec.get("tabPos"); return rec.get("tabPos");
@ -253,24 +370,15 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
this.listenTo(this.tabList.store, 'remove', storechanged); this.listenTo(this.tabList.store, 'remove', storechanged);
this.listenTo(this.tabList.store, 'reset', storechanged); this.listenTo(this.tabList.store, 'reset', storechanged);
this.radioLeft = new Common.UI.RadioBox({ this.cmbAlign = new Common.UI.ComboBox({
el: $('#paragraphadv-radio-left'), el : $('#paraadv-cmb-align'),
labelText: this.textTabLeft, style : 'width: 108px;',
name: 'asc-radio-tab', menuStyle : 'min-width: 108px;',
checked: true editable : false,
}); cls : 'input-group-nr',
data : this._arrTabAlign
this.radioCenter = new Common.UI.RadioBox({
el: $('#paragraphadv-radio-center'),
labelText: this.textTabCenter,
name: 'asc-radio-tab'
});
this.radioRight = new Common.UI.RadioBox({
el: $('#paragraphadv-radio-right'),
labelText: this.textTabRight,
name: 'asc-radio-tab'
}); });
this.cmbAlign.setValue(1);
this.btnAddTab = new Common.UI.Button({ this.btnAddTab = new Common.UI.Button({
el: $('#paraadv-button-add-tab') el: $('#paraadv-button-add-tab')
@ -299,18 +407,45 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
this._changedProps.get_Tabs().add_Tab(tab); this._changedProps.get_Tabs().add_Tab(tab);
}, this); }, this);
} }
var horizontalAlign = this.cmbTextAlignment.getValue();
this._changedProps.asc_putJc((horizontalAlign !== undefined && horizontalAlign !== null) ? horizontalAlign : c_paragraphTextAlignment.LEFT);
if (this.Spacing !== null) {
this._changedProps.asc_putSpacing(this.Spacing);
}
return { paragraphProps: this._changedProps }; return { paragraphProps: this._changedProps };
}, },
_setDefaults: function(props) { _setDefaults: function(props) {
if (props ){ if (props ){
this._originalProps = new Asc.asc_CParagraphProperty(props); this._originalProps = new Asc.asc_CParagraphProperty(props);
this.FirstLine = (props.get_Ind() !== null) ? props.get_Ind().get_FirstLine() : null;
this.numIndentsLeft.setValue((props.get_Ind() !== null && props.get_Ind().get_Left() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Left()) : '', true); this.numIndentsLeft.setValue((props.get_Ind() !== null && props.get_Ind().get_Left() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Left()) : '', true);
this.numFirstLine.setMinValue(-this.numIndentsLeft.getNumberValue());
this.numFirstLine.setValue((props.get_Ind() !== null && props.get_Ind().get_FirstLine() !== null ) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_FirstLine()) : '', true);
this.numIndentsRight.setValue((props.get_Ind() !== null && props.get_Ind().get_Right() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Right()) : '', true); this.numIndentsRight.setValue((props.get_Ind() !== null && props.get_Ind().get_Right() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Right()) : '', true);
this.cmbTextAlignment.setValue((props.get_Jc() !== undefined && props.get_Jc() !== null) ? props.get_Jc() : c_paragraphTextAlignment.CENTERED, true);
if(this.CurSpecial === undefined) {
this.CurSpecial = (props.get_Ind().get_FirstLine() === 0) ? c_paragraphSpecial.NONE_SPECIAL : ((props.get_Ind().get_FirstLine() > 0) ? c_paragraphSpecial.FIRST_LINE : c_paragraphSpecial.HANGING);
}
this.cmbSpecial.setValue(this.CurSpecial);
this.numSpecialBy.setValue(this.FirstLine!== null ? Math.abs(Common.Utils.Metric.fnRecalcFromMM(this.FirstLine)) : '', true);
this.numSpacingBefore.setValue((props.get_Spacing() !== null && props.get_Spacing().get_Before() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_Before()) : '', true);
this.numSpacingAfter.setValue((props.get_Spacing() !== null && props.get_Spacing().get_After() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_After()) : '', true);
var linerule = props.get_Spacing().get_LineRule();
this.cmbLineRule.setValue((linerule !== null) ? linerule : '', true);
if(props.get_Spacing() !== null && props.get_Spacing().get_Line() !== null) {
this.numLineHeight.setValue((linerule==c_paragraphLinerule.LINERULE_AUTO) ? props.get_Spacing().get_Line() : Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_Line()), true);
} else {
this.numLineHeight.setValue('', true);
}
// Font // Font
this._noApply = true; this._noApply = true;
this.chStrike.setValue((props.get_Strikeout() !== null && props.get_Strikeout() !== undefined) ? props.get_Strikeout() : 'indeterminate', true); this.chStrike.setValue((props.get_Strikeout() !== null && props.get_Strikeout() !== undefined) ? props.get_Strikeout() : 'indeterminate', true);
@ -339,7 +474,8 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
rec.set({ rec.set({
tabPos: pos, tabPos: pos,
value: parseFloat(pos.toFixed(3)) + ' ' + Common.Utils.Metric.getCurrentMetricName(), value: parseFloat(pos.toFixed(3)) + ' ' + Common.Utils.Metric.getCurrentMetricName(),
tabAlign: tab.get_Value() tabAlign: tab.get_Value(),
displayTabAlign: this._arrKeyTabAlign[tab.get_Value()]
}); });
arr.push(rec); arr.push(rec);
} }
@ -359,13 +495,19 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
for (var i=0; i<this.spinners.length; i++) { for (var i=0; i<this.spinners.length; i++) {
var spinner = this.spinners[i]; var spinner = this.spinners[i];
spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName()); spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName());
if (spinner.el.id == 'paragraphadv-spin-spacing') if (spinner.el.id == 'paragraphadv-spin-spacing' || spinner.el.id == 'paragraphadv-spin-spacing-before' || spinner.el.id == 'paragraphadv-spin-spacing-after')
spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.01); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.01);
else else
spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.1); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.1);
} }
} }
this._arrLineRule[1].defaultUnit = Common.Utils.Metric.getCurrentMetricName();
this._arrLineRule[1].minValue = parseFloat(Common.Utils.Metric.fnRecalcFromMM(0.3).toFixed(2));
this._arrLineRule[1].step = (Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt) ? 1 : 0.01;
if (this.CurLineRuleIdx !== null) {
this.numLineHeight.setDefaultUnit(this._arrLineRule[this.CurLineRuleIdx].defaultUnit);
this.numLineHeight.setStep(this._arrLineRule[this.CurLineRuleIdx].step);
}
}, },
afterRender: function() { afterRender: function() {
@ -498,8 +640,9 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
}, },
addTab: function(btn, eOpts){ addTab: function(btn, eOpts){
var val = this.numTab.getNumberValue(); var val = this.numTab.getNumberValue(),
var align = this.radioLeft.getValue() ? 1 : (this.radioCenter.getValue() ? 3 : 2); align = this.cmbAlign.getValue(),
displayAlign = this._arrKeyTabAlign[align];
var store = this.tabList.store; var store = this.tabList.store;
var rec = store.find(function(record){ var rec = store.find(function(record){
@ -507,13 +650,15 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
}); });
if (rec) { if (rec) {
rec.set('tabAlign', align); rec.set('tabAlign', align);
rec.set('displayTabAlign', displayAlign);
this._tabListChanged = true; this._tabListChanged = true;
} else { } else {
rec = new Common.UI.DataViewModel(); rec = new Common.UI.DataViewModel();
rec.set({ rec.set({
tabPos: val, tabPos: val,
value: val + ' ' + Common.Utils.Metric.getCurrentMetricName(), value: val + ' ' + Common.Utils.Metric.getCurrentMetricName(),
tabAlign: align tabAlign: align,
displayTabAlign: displayAlign
}); });
store.add(rec); store.add(rec);
} }
@ -554,15 +699,82 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
rawData = record; rawData = record;
} }
this.numTab.setValue(rawData.tabPos); this.numTab.setValue(rawData.tabPos);
(rawData.tabAlign==1) ? this.radioLeft.setValue(true) : ((rawData.tabAlign==3) ? this.radioCenter.setValue(true) : this.radioRight.setValue(true)); this.cmbAlign.setValue(rawData.tabAlign);
},
onSpecialSelect: function(combo, record) {
this.CurSpecial = record.value;
if (this.CurSpecial === c_paragraphSpecial.NONE_SPECIAL) {
this.numSpecialBy.setValue(0, true);
}
if (this._changedProps) {
if (this._changedProps.get_Ind()===null || this._changedProps.get_Ind()===undefined)
this._changedProps.put_Ind(new Asc.asc_CParagraphInd());
var value = Common.Utils.Metric.fnRecalcToMM(this.numSpecialBy.getNumberValue());
if (value === 0) {
this.numSpecialBy.setValue(Common.Utils.Metric.fnRecalcFromMM(this._arrSpecial[record.value].defaultValue), true);
value = this._arrSpecial[record.value].defaultValue;
}
if (this.CurSpecial === c_paragraphSpecial.HANGING) {
value = -value;
}
this._changedProps.get_Ind().put_FirstLine(value);
}
},
onFirstLineChange: function(field, newValue, oldValue, eOpts){
if (this._changedProps) {
if (this._changedProps.get_Ind()===null || this._changedProps.get_Ind()===undefined)
this._changedProps.put_Ind(new Asc.asc_CParagraphInd());
var value = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue());
if (this.CurSpecial === c_paragraphSpecial.HANGING) {
value = -value;
} else if (this.CurSpecial === c_paragraphSpecial.NONE_SPECIAL && value > 0 ) {
this.CurSpecial = c_paragraphSpecial.FIRST_LINE;
this.cmbSpecial.setValue(c_paragraphSpecial.FIRST_LINE);
} else if (value === 0) {
this.CurSpecial = c_paragraphSpecial.NONE_SPECIAL;
this.cmbSpecial.setValue(c_paragraphSpecial.NONE_SPECIAL);
}
this._changedProps.get_Ind().put_FirstLine(value);
}
},
onLineRuleSelect: function(combo, record) {
if (this.Spacing === null) {
var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty();
this.Spacing = properties.get_Spacing();
}
this.Spacing.LineRule = record.value;
var selectItem = _.findWhere(this._arrLineRule, {value: record.value}),
indexSelectItem = this._arrLineRule.indexOf(selectItem);
if ( this.CurLineRuleIdx !== indexSelectItem ) {
this.numLineHeight.setDefaultUnit(this._arrLineRule[indexSelectItem].defaultUnit);
this.numLineHeight.setMinValue(this._arrLineRule[indexSelectItem].minValue);
this.numLineHeight.setStep(this._arrLineRule[indexSelectItem].step);
if (this.Spacing.LineRule === c_paragraphLinerule.LINERULE_AUTO) {
this.numLineHeight.setValue(this._arrLineRule[indexSelectItem].defaultValue);
} else {
this.numLineHeight.setValue(Common.Utils.Metric.fnRecalcFromMM(this._arrLineRule[indexSelectItem].defaultValue));
}
this.CurLineRuleIdx = indexSelectItem;
}
},
onNumLineHeightChange: function(field, newValue, oldValue, eOpts) {
if ( this.cmbLineRule.getRawValue() === '' )
return;
if (this.Spacing === null) {
var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty();
this.Spacing = properties.get_Spacing();
}
this.Spacing.Line = (this.cmbLineRule.getValue()==c_paragraphLinerule.LINERULE_AUTO) ? field.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(field.getNumberValue());
}, },
textTitle: 'Paragraph - Advanced Settings', textTitle: 'Paragraph - Advanced Settings',
strIndentsFirstLine: 'First line',
strIndentsLeftText: 'Left', strIndentsLeftText: 'Left',
strIndentsRightText: 'Right', strIndentsRightText: 'Right',
strParagraphIndents: 'Indents & Placement', strParagraphIndents: 'Indents & Spacing',
strParagraphFont: 'Font', strParagraphFont: 'Font',
cancelButtonText: 'Cancel', cancelButtonText: 'Cancel',
okButtonText: 'Ok', okButtonText: 'Ok',
@ -584,6 +796,19 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
textAlign: 'Alignment', textAlign: 'Alignment',
textTabPosition: 'Tab Position', textTabPosition: 'Tab Position',
textDefault: 'Default Tab', textDefault: 'Default Tab',
noTabs: 'The specified tabs will appear in this field' noTabs: 'The specified tabs will appear in this field',
textJustified: 'Justified',
strIndentsSpecial: 'Special',
textNoneSpecial: '(none)',
textFirstLine: 'First line',
textHanging: 'Hanging',
strIndentsSpacingBefore: 'Before',
strIndentsSpacingAfter: 'After',
strIndentsLineSpacing: 'Line Spacing',
txtAutoText: 'Auto',
textAuto: 'Multiple',
textExact: 'Exactly',
strIndent: 'Indents',
strSpacing: 'Spacing'
}, PE.Views.ParagraphSettingsAdvanced || {})); }, PE.Views.ParagraphSettingsAdvanced || {}));
}); });

View file

@ -251,7 +251,7 @@ define([
this.langMenu = new Common.UI.Menu({ this.langMenu = new Common.UI.Menu({
cls: 'lang-menu', cls: 'lang-menu',
style: 'margin-top:-5px;', style: 'margin-top:-5px;',
restoreHeight: 300, restoreHeight: 285,
itemTemplate: _.template([ itemTemplate: _.template([
'<a id="<%= id %>" tabindex="-1" type="menuitem" style="padding-left: 28px !important;" langval="<%= options.value.value %>">', '<a id="<%= id %>" tabindex="-1" type="menuitem" style="padding-left: 28px !important;" langval="<%= options.value.value %>">',
'<i class="icon <% if (options.spellcheck) { %> img-toolbarmenu spellcheck-lang <% } %>"></i>', '<i class="icon <% if (options.spellcheck) { %> img-toolbarmenu spellcheck-lang <% } %>"></i>',

View file

@ -103,7 +103,7 @@ define([
me.synchTooltip = undefined; me.synchTooltip = undefined;
me.needShowSynchTip = false; me.needShowSynchTip = false;
me.schemeNames = [ me.SchemeNames = [
me.txtScheme1, me.txtScheme2, me.txtScheme3, me.txtScheme4, me.txtScheme5, me.txtScheme1, me.txtScheme2, me.txtScheme3, me.txtScheme4, me.txtScheme5,
me.txtScheme6, me.txtScheme7, me.txtScheme8, me.txtScheme9, me.txtScheme10, me.txtScheme6, me.txtScheme7, me.txtScheme8, me.txtScheme9, me.txtScheme10,
me.txtScheme11, me.txtScheme12, me.txtScheme13, me.txtScheme14, me.txtScheme15, me.txtScheme11, me.txtScheme12, me.txtScheme13, me.txtScheme14, me.txtScheme15,
@ -1318,15 +1318,17 @@ define([
mnuColorSchema.addItem({ mnuColorSchema.addItem({
caption: '--' caption: '--'
}); });
} else {
mnuColorSchema.addItem({
template: itemTemplate,
cls: 'color-schemas-menu',
colors: schemecolors,
caption: (index < 21) ? (me.schemeNames[index] || schema.get_name()) : schema.get_name(),
value: index
});
} }
var name = schema.get_name();
mnuColorSchema.addItem({
template: itemTemplate,
cls: 'color-schemas-menu',
colors: schemecolors,
caption: (index < 21) ? (me.SchemeNames[index] || name) : name,
value: name,
checkable: true,
toggleGroup: 'menuSchema'
});
}, this); }, this);
} }
}, },

View file

@ -249,7 +249,7 @@
"PE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права. <br> Моля, свържете се с администратора на сървъра за документи.", "PE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права. <br> Моля, свържете се с администратора на сървъра за документи.",
"PE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "PE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Документът не може да бъде редактиран в момента.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Документът не може да бъде редактиран в момента.",
"PE.Controllers.Main.errorConnectToServer": "Документът не можа да бъде запазен. Моля, проверете настройките за връзка или се свържете с администратора си. <br> Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа. <br> <br> Намерете повече информация за свързването на сървъра за документи <a href = \"https: //api.onlyoffice.com/editors/callback \"target =\" _ blank \"> тук </a>", "PE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.<br>Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа. <br><br>Намерете повече информация за свързването на сървър за документи <a href=\"%1\" target=\"_blank\">тук</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Външна грешка. <br> Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка, в случай че грешката продължава.", "PE.Controllers.Main.errorDatabaseConnection": "Външна грешка. <br> Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка, в случай че грешката продължава.",
"PE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да бъдат дешифрирани.", "PE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да бъдат дешифрирани.",
"PE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.", "PE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.",
@ -581,8 +581,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превешен и документът ще бъде отворен само за преглед. <br> За повече информация се обърнете към администратора.", "PE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превешен и документът ще бъде отворен само за преглед. <br> За повече информация се обърнете към администратора.",
"PE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. <br> Моля, актуализирайте лиценза си и опреснете страницата.", "PE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. <br> Моля, актуализирайте лиценза си и опреснете страницата.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. <br> За повече информация се свържете с администратора си.", "PE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. <br> За повече информация се свържете с администратора си.",
"PE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.", "PE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"PE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.", "PE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. <br> Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"PE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.", "PE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"PE.Controllers.Statusbar.zoomText": "Мащаб {0}%", "PE.Controllers.Statusbar.zoomText": "Мащаб {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Шрифтът, който ще запазите, не е наличен в текущото устройство. <br> Стилът на текста ще се покаже с помощта на един от системните шрифтове, запазения шрифт, който се използва, когато е налице. <br> Искате ли да продавате?", "PE.Controllers.Toolbar.confirmAddFontName": "Шрифтът, който ще запазите, не е наличен в текущото устройство. <br> Стилът на текста ще се покаже с помощта на един от системните шрифтове, запазения шрифт, който се използва, когато е налице. <br> Искате ли да продавате?",

View file

@ -140,7 +140,7 @@
"PE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.<br>Prosím, kontaktujte administrátora vašeho Dokumentového serveru.", "PE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.<br>Prosím, kontaktujte administrátora vašeho Dokumentového serveru.",
"PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Spojení se serverem ztraceno. Dokument nyní nelze upravovat.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Spojení se serverem ztraceno. Dokument nyní nelze upravovat.",
"PE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.<br>When you click the 'OK' button, you will be prompted to download the document.<br><br>Find more information about connecting Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "PE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.<br> Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.<br><br> Více informací o připojení najdete v Dokumentovém serveru <a href=\"%1\" target=\"_blank\">here</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Externí chyba.<br>Chyba spojení s databází. Prosím kontaktujte podporu, pokud chyba přetrvává.", "PE.Controllers.Main.errorDatabaseConnection": "Externí chyba.<br>Chyba spojení s databází. Prosím kontaktujte podporu, pokud chyba přetrvává.",
"PE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.", "PE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.",
"PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", "PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1",
@ -277,7 +277,7 @@
"PE.Controllers.Main.warnBrowserIE9": "Aplikace má slabou podporu v IE9. Použíjte IE10 nebo vyšší", "PE.Controllers.Main.warnBrowserIE9": "Aplikace má slabou podporu v IE9. Použíjte IE10 nebo vyšší",
"PE.Controllers.Main.warnBrowserZoom": "Aktuální přiblížení prohlížeče není plně podporováno. Obnovte prosím původní přiblížení stiknem CTRL+0.", "PE.Controllers.Main.warnBrowserZoom": "Aktuální přiblížení prohlížeče není plně podporováno. Obnovte prosím původní přiblížení stiknem CTRL+0.",
"PE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela.<br>Prosím, aktualizujte vaší licenci a obnovte stránku.", "PE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela.<br>Prosím, aktualizujte vaší licenci a obnovte stránku.",
"PE.Controllers.Main.warnNoLicense": "Používáte verzi open source ONLYOFFICE. Verze má omezení pro souběžné připojení k dokumentovému serveru (20 připojení najednou).<br>Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.", "PE.Controllers.Main.warnNoLicense": "Používáte verzi open source %1. Verze má omezení pro souběžné připojení k dokumentovému serveru (20 připojení najednou).<br>Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.",
"PE.Controllers.Main.warnProcessRightsChange": "Bylo Vám odebráno právo upravovat tento soubor", "PE.Controllers.Main.warnProcessRightsChange": "Bylo Vám odebráno právo upravovat tento soubor",
"PE.Controllers.Statusbar.zoomText": "Přiblížení {0}%", "PE.Controllers.Statusbar.zoomText": "Přiblížení {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Písmo, které se chystáte uložit není dostupné na stávajícím zařízení.<br>Text bude zobrazen s jedním ze systémových písem, uložené písmo bude použito, jakmile bude dostupné.<br>Chcete pokračovat?", "PE.Controllers.Toolbar.confirmAddFontName": "Písmo, které se chystáte uložit není dostupné na stávajícím zařízení.<br>Text bude zobrazen s jedním ze systémových písem, uložené písmo bude použito, jakmile bude dostupné.<br>Chcete pokračovat?",

View file

@ -249,7 +249,7 @@
"PE.Controllers.Main.errorAccessDeny": "Sie haben versucht die Änderungen im Dokument, zu dem Sie keine Berechtigungen haben, vorzunehemen.<br>Wenden Sie sich an Ihren Serveradministrator.", "PE.Controllers.Main.errorAccessDeny": "Sie haben versucht die Änderungen im Dokument, zu dem Sie keine Berechtigungen haben, vorzunehemen.<br>Wenden Sie sich an Ihren Serveradministrator.",
"PE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "PE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server verloren. Das Dokument kann momentan nicht bearbeitet werden.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server verloren. Das Dokument kann momentan nicht bearbeitet werden.",
"PE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.<br>Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.<br><br>Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">hier</a>", "PE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.<br>Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.<br><br>Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie <a href=\"%1\" target=\"_blank\">hier</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.<br>Fehler beim Verbinden zur Datenbank. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.", "PE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.<br>Fehler beim Verbinden zur Datenbank. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.",
"PE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", "PE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.",
"PE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", "PE.Controllers.Main.errorDataRange": "Falscher Datenbereich.",
@ -581,8 +581,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.", "PE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"PE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen.<br>Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.", "PE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen.<br>Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "Die Anzahl der gleichzeitigen Benutzer wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.", "PE.Controllers.Main.warnLicenseUsersExceeded": "Die Anzahl der gleichzeitigen Benutzer wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. <br> Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"PE.Controllers.Main.warnNoLicense": "Diese Version von ONLYOFFICE Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver.<br>Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.", "PE.Controllers.Main.warnNoLicense": "Diese Version von %1 Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver.<br>Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
"PE.Controllers.Main.warnNoLicenseUsers": "Diese Version von ONLYOFFICE Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. <br> Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.", "PE.Controllers.Main.warnNoLicenseUsers": "Diese Version von %1 Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. <br> Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
"PE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.", "PE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.",
"PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Die Schriftart, die Sie verwenden wollen, ist auf diesem Gerät nicht verfügbar.<br>Der Textstil wird mit einer der Systemschriften angezeigt, die gespeicherte Schriftart wird verwendet, wenn sie verfügbar ist.<br>Wollen Sie fortsetzen?", "PE.Controllers.Toolbar.confirmAddFontName": "Die Schriftart, die Sie verwenden wollen, ist auf diesem Gerät nicht verfügbar.<br>Der Textstil wird mit einer der Systemschriften angezeigt, die gespeicherte Schriftart wird verwendet, wenn sie verfügbar ist.<br>Wollen Sie fortsetzen?",

View file

@ -977,7 +977,6 @@
"PE.Views.DocumentHolder.hyperlinkText": "Hyperlink", "PE.Views.DocumentHolder.hyperlinkText": "Hyperlink",
"PE.Views.DocumentHolder.ignoreAllSpellText": "Ignore All", "PE.Views.DocumentHolder.ignoreAllSpellText": "Ignore All",
"PE.Views.DocumentHolder.ignoreSpellText": "Ignore", "PE.Views.DocumentHolder.ignoreSpellText": "Ignore",
"PE.Views.DocumentHolder.toDictionaryText": "Add to Dictionary",
"PE.Views.DocumentHolder.insertColumnLeftText": "Column Left", "PE.Views.DocumentHolder.insertColumnLeftText": "Column Left",
"PE.Views.DocumentHolder.insertColumnRightText": "Column Right", "PE.Views.DocumentHolder.insertColumnRightText": "Column Right",
"PE.Views.DocumentHolder.insertColumnText": "Insert Column", "PE.Views.DocumentHolder.insertColumnText": "Insert Column",
@ -1031,6 +1030,7 @@
"PE.Views.DocumentHolder.textSlideSettings": "Slide Settings", "PE.Views.DocumentHolder.textSlideSettings": "Slide Settings",
"PE.Views.DocumentHolder.textUndo": "Undo", "PE.Views.DocumentHolder.textUndo": "Undo",
"PE.Views.DocumentHolder.tipIsLocked": "This element is currently being edited by another user.", "PE.Views.DocumentHolder.tipIsLocked": "This element is currently being edited by another user.",
"PE.Views.DocumentHolder.toDictionaryText": "Add to Dictionary",
"PE.Views.DocumentHolder.txtAddBottom": "Add bottom border", "PE.Views.DocumentHolder.txtAddBottom": "Add bottom border",
"PE.Views.DocumentHolder.txtAddFractionBar": "Add fraction bar", "PE.Views.DocumentHolder.txtAddFractionBar": "Add fraction bar",
"PE.Views.DocumentHolder.txtAddHor": "Add horizontal line", "PE.Views.DocumentHolder.txtAddHor": "Add horizontal line",
@ -1100,6 +1100,7 @@
"PE.Views.DocumentHolder.txtPasteSourceFormat": "Keep source formatting", "PE.Views.DocumentHolder.txtPasteSourceFormat": "Keep source formatting",
"PE.Views.DocumentHolder.txtPressLink": "Press CTRL and click link", "PE.Views.DocumentHolder.txtPressLink": "Press CTRL and click link",
"PE.Views.DocumentHolder.txtPreview": "Start slideshow", "PE.Views.DocumentHolder.txtPreview": "Start slideshow",
"PE.Views.DocumentHolder.txtPrintSelection": "Print Selection",
"PE.Views.DocumentHolder.txtRemFractionBar": "Remove fraction bar", "PE.Views.DocumentHolder.txtRemFractionBar": "Remove fraction bar",
"PE.Views.DocumentHolder.txtRemLimit": "Remove limit", "PE.Views.DocumentHolder.txtRemLimit": "Remove limit",
"PE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character", "PE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character",
@ -1123,7 +1124,6 @@
"PE.Views.DocumentHolder.txtUnderbar": "Bar under text", "PE.Views.DocumentHolder.txtUnderbar": "Bar under text",
"PE.Views.DocumentHolder.txtUngroup": "Ungroup", "PE.Views.DocumentHolder.txtUngroup": "Ungroup",
"PE.Views.DocumentHolder.vertAlignText": "Vertical Alignment", "PE.Views.DocumentHolder.vertAlignText": "Vertical Alignment",
"PE.Views.DocumentHolder.txtPrintSelection": "Print Selection",
"PE.Views.DocumentPreview.goToSlideText": "Go to Slide", "PE.Views.DocumentPreview.goToSlideText": "Go to Slide",
"PE.Views.DocumentPreview.slideIndexText": "Slide {0} of {1}", "PE.Views.DocumentPreview.slideIndexText": "Slide {0} of {1}",
"PE.Views.DocumentPreview.txtClose": "Close slideshow", "PE.Views.DocumentPreview.txtClose": "Close slideshow",
@ -1231,6 +1231,7 @@
"PE.Views.HeaderFooterDialog.diffLanguage": "You cant use a date format in a different language than the slide master.<br>To change the master, click 'Apply to all' instead of 'Apply'", "PE.Views.HeaderFooterDialog.diffLanguage": "You cant use a date format in a different language than the slide master.<br>To change the master, click 'Apply to all' instead of 'Apply'",
"PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Warning", "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Warning",
"PE.Views.HeaderFooterDialog.textDateTime": "Date and time", "PE.Views.HeaderFooterDialog.textDateTime": "Date and time",
"PE.Views.HeaderFooterDialog.textFixed": "Fixed",
"PE.Views.HeaderFooterDialog.textFooter": "Text in footer", "PE.Views.HeaderFooterDialog.textFooter": "Text in footer",
"PE.Views.HeaderFooterDialog.textFormat": "Formats", "PE.Views.HeaderFooterDialog.textFormat": "Formats",
"PE.Views.HeaderFooterDialog.textLang": "Language", "PE.Views.HeaderFooterDialog.textLang": "Language",
@ -1239,7 +1240,6 @@
"PE.Views.HeaderFooterDialog.textSlideNum": "Slide number", "PE.Views.HeaderFooterDialog.textSlideNum": "Slide number",
"PE.Views.HeaderFooterDialog.textTitle": "Header/Footer Settings", "PE.Views.HeaderFooterDialog.textTitle": "Header/Footer Settings",
"PE.Views.HeaderFooterDialog.textUpdate": "Update automatically", "PE.Views.HeaderFooterDialog.textUpdate": "Update automatically",
"PE.Views.HeaderFooterDialog.textFixed": "Fixed",
"PE.Views.HyperlinkSettingsDialog.cancelButtonText": "Cancel", "PE.Views.HyperlinkSettingsDialog.cancelButtonText": "Cancel",
"PE.Views.HyperlinkSettingsDialog.okButtonText": "OK", "PE.Views.HyperlinkSettingsDialog.okButtonText": "OK",
"PE.Views.HyperlinkSettingsDialog.strDisplay": "Display", "PE.Views.HyperlinkSettingsDialog.strDisplay": "Display",
@ -1324,20 +1324,32 @@
"PE.Views.ParagraphSettingsAdvanced.okButtonText": "OK", "PE.Views.ParagraphSettingsAdvanced.okButtonText": "OK",
"PE.Views.ParagraphSettingsAdvanced.strAllCaps": "All caps", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "All caps",
"PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough", "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough",
"PE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line", "PE.Views.ParagraphSettingsAdvanced.strIndent": "Indents",
"del_PE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line",
"PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left", "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left",
"PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Line Spacing",
"PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right", "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "After",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Before",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Special",
"PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font", "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font",
"PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indents & Placement", "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indents & Spacing",
"PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Small caps", "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Small caps",
"PE.Views.ParagraphSettingsAdvanced.strSpacing": "Spacing",
"PE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough", "PE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough",
"PE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript", "PE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript",
"PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript", "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript",
"PE.Views.ParagraphSettingsAdvanced.strTabs": "Tabs", "PE.Views.ParagraphSettingsAdvanced.strTabs": "Tabs",
"PE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment", "PE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment",
"PE.Views.ParagraphSettingsAdvanced.textAuto": "Multiple",
"PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing", "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing",
"PE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab", "PE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab",
"PE.Views.ParagraphSettingsAdvanced.textEffects": "Effects", "PE.Views.ParagraphSettingsAdvanced.textEffects": "Effects",
"PE.Views.ParagraphSettingsAdvanced.textExact": "Exactly",
"PE.Views.ParagraphSettingsAdvanced.textFirstLine": "First line",
"PE.Views.ParagraphSettingsAdvanced.textHanging": "Hanging",
"PE.Views.ParagraphSettingsAdvanced.textJustified": "Justified",
"PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(none)",
"PE.Views.ParagraphSettingsAdvanced.textRemove": "Remove", "PE.Views.ParagraphSettingsAdvanced.textRemove": "Remove",
"PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All", "PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All",
"PE.Views.ParagraphSettingsAdvanced.textSet": "Specify", "PE.Views.ParagraphSettingsAdvanced.textSet": "Specify",
@ -1346,6 +1358,7 @@
"PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position", "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position",
"PE.Views.ParagraphSettingsAdvanced.textTabRight": "Right", "PE.Views.ParagraphSettingsAdvanced.textTabRight": "Right",
"PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings", "PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings",
"PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"PE.Views.RightMenu.txtChartSettings": "Chart settings", "PE.Views.RightMenu.txtChartSettings": "Chart settings",
"PE.Views.RightMenu.txtImageSettings": "Image settings", "PE.Views.RightMenu.txtImageSettings": "Image settings",
"PE.Views.RightMenu.txtParagraphSettings": "Text settings", "PE.Views.RightMenu.txtParagraphSettings": "Text settings",
@ -1360,6 +1373,7 @@
"PE.Views.ShapeSettings.strFill": "Fill", "PE.Views.ShapeSettings.strFill": "Fill",
"PE.Views.ShapeSettings.strForeground": "Foreground color", "PE.Views.ShapeSettings.strForeground": "Foreground color",
"PE.Views.ShapeSettings.strPattern": "Pattern", "PE.Views.ShapeSettings.strPattern": "Pattern",
"PE.Views.ShapeSettings.strShadow": "Show shadow",
"PE.Views.ShapeSettings.strSize": "Size", "PE.Views.ShapeSettings.strSize": "Size",
"PE.Views.ShapeSettings.strStroke": "Stroke", "PE.Views.ShapeSettings.strStroke": "Stroke",
"PE.Views.ShapeSettings.strTransparency": "Opacity", "PE.Views.ShapeSettings.strTransparency": "Opacity",
@ -1403,7 +1417,6 @@
"PE.Views.ShapeSettings.txtNoBorders": "No Line", "PE.Views.ShapeSettings.txtNoBorders": "No Line",
"PE.Views.ShapeSettings.txtPapyrus": "Papyrus", "PE.Views.ShapeSettings.txtPapyrus": "Papyrus",
"PE.Views.ShapeSettings.txtWood": "Wood", "PE.Views.ShapeSettings.txtWood": "Wood",
"PE.Views.ShapeSettings.strShadow": "Show shadow",
"PE.Views.ShapeSettingsAdvanced.cancelButtonText": "Cancel", "PE.Views.ShapeSettingsAdvanced.cancelButtonText": "Cancel",
"PE.Views.ShapeSettingsAdvanced.okButtonText": "OK", "PE.Views.ShapeSettingsAdvanced.okButtonText": "OK",
"PE.Views.ShapeSettingsAdvanced.strColumns": "Columns", "PE.Views.ShapeSettingsAdvanced.strColumns": "Columns",
@ -1673,6 +1686,9 @@
"PE.Views.TextArtSettings.txtWood": "Wood", "PE.Views.TextArtSettings.txtWood": "Wood",
"PE.Views.Toolbar.capAddSlide": "Add Slide", "PE.Views.Toolbar.capAddSlide": "Add Slide",
"PE.Views.Toolbar.capBtnComment": "Comment", "PE.Views.Toolbar.capBtnComment": "Comment",
"PE.Views.Toolbar.capBtnDateTime": "Date & Time",
"PE.Views.Toolbar.capBtnInsHeader": "Header/Footer",
"PE.Views.Toolbar.capBtnSlideNum": "Slide Number",
"PE.Views.Toolbar.capInsertChart": "Chart", "PE.Views.Toolbar.capInsertChart": "Chart",
"PE.Views.Toolbar.capInsertEquation": "Equation", "PE.Views.Toolbar.capInsertEquation": "Equation",
"PE.Views.Toolbar.capInsertHyperlink": "Hyperlink", "PE.Views.Toolbar.capInsertHyperlink": "Hyperlink",
@ -1743,7 +1759,9 @@
"PE.Views.Toolbar.tipColorSchemas": "Change color scheme", "PE.Views.Toolbar.tipColorSchemas": "Change color scheme",
"PE.Views.Toolbar.tipCopy": "Copy", "PE.Views.Toolbar.tipCopy": "Copy",
"PE.Views.Toolbar.tipCopyStyle": "Copy style", "PE.Views.Toolbar.tipCopyStyle": "Copy style",
"PE.Views.Toolbar.tipDateTime": "Insert current date and time",
"PE.Views.Toolbar.tipDecPrLeft": "Decrease indent", "PE.Views.Toolbar.tipDecPrLeft": "Decrease indent",
"PE.Views.Toolbar.tipEditHeader": "Edit header or footer",
"PE.Views.Toolbar.tipFontColor": "Font color", "PE.Views.Toolbar.tipFontColor": "Font color",
"PE.Views.Toolbar.tipFontName": "Font", "PE.Views.Toolbar.tipFontName": "Font",
"PE.Views.Toolbar.tipFontSize": "Font size", "PE.Views.Toolbar.tipFontSize": "Font size",
@ -1768,6 +1786,7 @@
"PE.Views.Toolbar.tipSaveCoauth": "Save your changes for the other users to see them.", "PE.Views.Toolbar.tipSaveCoauth": "Save your changes for the other users to see them.",
"PE.Views.Toolbar.tipShapeAlign": "Align shape", "PE.Views.Toolbar.tipShapeAlign": "Align shape",
"PE.Views.Toolbar.tipShapeArrange": "Arrange shape", "PE.Views.Toolbar.tipShapeArrange": "Arrange shape",
"PE.Views.Toolbar.tipSlideNum": "Insert slide number",
"PE.Views.Toolbar.tipSlideSize": "Select slide size", "PE.Views.Toolbar.tipSlideSize": "Select slide size",
"PE.Views.Toolbar.tipSlideTheme": "Slide theme", "PE.Views.Toolbar.tipSlideTheme": "Slide theme",
"PE.Views.Toolbar.tipUndo": "Undo", "PE.Views.Toolbar.tipUndo": "Undo",
@ -1799,12 +1818,5 @@
"PE.Views.Toolbar.txtScheme8": "Flow", "PE.Views.Toolbar.txtScheme8": "Flow",
"PE.Views.Toolbar.txtScheme9": "Foundry", "PE.Views.Toolbar.txtScheme9": "Foundry",
"PE.Views.Toolbar.txtSlideAlign": "Align to Slide", "PE.Views.Toolbar.txtSlideAlign": "Align to Slide",
"PE.Views.Toolbar.txtUngroup": "Ungroup", "PE.Views.Toolbar.txtUngroup": "Ungroup"
"PE.Views.Toolbar.tipEditHeader": "Edit header or footer",
"PE.Views.Toolbar.tipSlideNum": "Insert slide number",
"PE.Views.Toolbar.tipDateTime": "Insert current date and time",
"PE.Views.Toolbar.capBtnInsHeader": "Header/Footer",
"PE.Views.Toolbar.capBtnSlideNum": "Slide Number",
"PE.Views.Toolbar.capBtnDateTime": "Date & Time"
} }

View file

@ -250,7 +250,7 @@
"PE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.<br> Por favor, contacte con el Administrador del Servidor de Documentos.", "PE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.<br> Por favor, contacte con el Administrador del Servidor de Documentos.",
"PE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto", "PE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Se ha perdido la conexión con servidor. El documento no puede ser editado ahora.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Se ha perdido la conexión con servidor. El documento no puede ser editado ahora.",
"PE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de la conexión o póngase en contacto con su administrador.<br>Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.<br><br>Encuentre más información acerca de conexión de Servidor de Documentos <a href=\"%1\" target=\"_blank\">aquí</a>", "PE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de conexión o póngase en contacto con su administrador.<br>Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.<br><br>Encuentre más información acerca de la conexión de Servidor de Documentos <a href=\"%1\" target=\"_blank\">aquí</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Error externo.<br>Error de conexión de base de datos. Por favor póngase en contacto con soporte si el error se mantiene.", "PE.Controllers.Main.errorDatabaseConnection": "Error externo.<br>Error de conexión de base de datos. Por favor póngase en contacto con soporte si el error se mantiene.",
"PE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", "PE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.",
"PE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.", "PE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.",
@ -582,7 +582,7 @@
"PE.Controllers.Main.warnLicenseExceeded": "Se ha excedido el número permitido de las conexiones simultáneas al servidor de documentos, y el documento se abrirá para sólo lectura.<br>Por favor, contacte con su administrador para recibir más información.", "PE.Controllers.Main.warnLicenseExceeded": "Se ha excedido el número permitido de las conexiones simultáneas al servidor de documentos, y el documento se abrirá para sólo lectura.<br>Por favor, contacte con su administrador para recibir más información.",
"PE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado.<br>Por favor, actualice su licencia y después recargue la página.", "PE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado.<br>Por favor, actualice su licencia y después recargue la página.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "Se ha excedido el número permitido de los usuarios simultáneos, y el documento se abrirá para sólo lectura.<br>Por favor, contacte con su administrador para recibir más información.", "PE.Controllers.Main.warnLicenseUsersExceeded": "Se ha excedido el número permitido de los usuarios simultáneos, y el documento se abrirá para sólo lectura.<br>Por favor, contacte con su administrador para recibir más información.",
"PE.Controllers.Main.warnNoLicense": "Esta versión de Editores de ONLYOFFICE tiene ciertas limitaciones para el número de conexiones simultáneas al servidor de documentos.<br>Si se requiere más, por favor, considere comprar una licencia comercial.", "PE.Controllers.Main.warnNoLicense": "Esta versión de Editores de %1 tiene ciertas limitaciones para el número de conexiones simultáneas al servidor de documentos.<br>Si se requiere más, por favor, considere comprar una licencia comercial.",
"PE.Controllers.Main.warnNoLicenseUsers": "Esta versión de editores %1 tiene ciertas limitaciones para usuarios simultáneos.<br>Si necesita más, por favor, considere comprar una licencia comercial.", "PE.Controllers.Main.warnNoLicenseUsers": "Esta versión de editores %1 tiene ciertas limitaciones para usuarios simultáneos.<br>Si necesita más, por favor, considere comprar una licencia comercial.",
"PE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.", "PE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.",
"PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%",

View file

@ -250,7 +250,7 @@
"PE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.", "PE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.",
"PE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte", "PE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Connexion au serveur perdue. Le document ne peut être modifié en ce moment.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Connexion au serveur perdue. Le document ne peut être modifié en ce moment.",
"PE.Controllers.Main.errorConnectToServer": "Le document n'a pas pu être enregistré. Veuillez vérifier les paramètres de connexion ou contactez votre administrateur.<br>Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.<br><br>Trouvez plus d'informations sur la connexion de Document Server<a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">ici</a>", "PE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.<br>Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.<br><br>Trouvez plus d'informations sur la connexion au Serveur de Documents <a href=\"%1\" target=\"_blank\">ici</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Erreur externe.<br>Erreur de connexion à la base de données. Si l'erreur persiste veillez contactez l'assistance technique.", "PE.Controllers.Main.errorDatabaseConnection": "Erreur externe.<br>Erreur de connexion à la base de données. Si l'erreur persiste veillez contactez l'assistance technique.",
"PE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.", "PE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.",
"PE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", "PE.Controllers.Main.errorDataRange": "Plage de données incorrecte.",
@ -582,8 +582,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées sur le serveur de documents a été dépassée et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.", "PE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées sur le serveur de documents a été dépassée et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.",
"PE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.<br>Veuillez mettre à jour votre licence et actualisez la page.", "PE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.<br>Veuillez mettre à jour votre licence et actualisez la page.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "Le nombre d'utilisateurs simultanés a été dépassé et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.", "PE.Controllers.Main.warnLicenseUsersExceeded": "Le nombre d'utilisateurs simultanés a été dépassé et le document sera ouvert en mode lecture seule.<br>Veuillez contacter votre administrateur pour plus d'informations.",
"PE.Controllers.Main.warnNoLicense": "Cette version de ONLYOFFICE Editors a certaines limitations pour les connexions simultanées au serveur de documents.<br>Si vous avez besoin de plus, considérez la possibilité de mettre à jour votre licence actuelle ou d'acheter une licence commerciale.", "PE.Controllers.Main.warnNoLicense": "Cette version de %1 editors a certaines limitations pour les connexions simultanées au serveur de documents.<br>Si vous avez besoin de plus, considérez la possibilité de mettre à jour votre licence actuelle ou d'acheter une licence commerciale.",
"PE.Controllers.Main.warnNoLicenseUsers": "Cette version de ONLYOFFICE Editors a certaines limitations pour les utilisateurs simultanés.<br>Si vous avez besoin de plus, considérez la possibilité de mettre à jour votre licence actuelle ou d'acheter une licence commerciale.", "PE.Controllers.Main.warnNoLicenseUsers": "Cette version de %1 editors a certaines limitations pour les utilisateurs simultanés.<br>Si vous avez besoin de plus, considérez la possibilité de mettre à jour votre licence actuelle ou d'acheter une licence commerciale.",
"PE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.", "PE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.",
"PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "La police que vous allez enregistrer n'est pas disponible sur l'appareil actuel.<br>Le style du texte sera affiché à l'aide de l'une des polices de système, la police sauvée sera utilisée lorsqu'elle est disponible.<br>Voulez-vous continuer?", "PE.Controllers.Toolbar.confirmAddFontName": "La police que vous allez enregistrer n'est pas disponible sur l'appareil actuel.<br>Le style du texte sera affiché à l'aide de l'une des polices de système, la police sauvée sera utilisée lorsqu'elle est disponible.<br>Voulez-vous continuer?",

View file

@ -249,7 +249,7 @@
"PE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.<br>Vegye fel a kapcsolatot a Document Server adminisztrátorával.", "PE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.<br>Vegye fel a kapcsolatot a Document Server adminisztrátorával.",
"PE.Controllers.Main.errorBadImageUrl": "Hibás kép URL", "PE.Controllers.Main.errorBadImageUrl": "Hibás kép URL",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Elveszett a kapcsolat a szerverrel. A dokumentum jelenleg nem szerkeszthető.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Elveszett a kapcsolat a szerverrel. A dokumentum jelenleg nem szerkeszthető.",
"PE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.<br>Ha az 'OK'-ra kattint letöltheti a dokumentumot.<br><br>Bővebb információk a Dokumentum Szerverhez kapcsolódásról <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">itt</a> találhat.", "PE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.<br>Ha az 'OK'-ra kattint letöltheti a dokumentumot.<br><br>Bővebb információk a Dokumentum Szerverhez kapcsolódásról <a href=\"%1\" target=\"_blank\">itt</a> találhat.",
"PE.Controllers.Main.errorDatabaseConnection": "Külső hiba.<br>Adatbázis-kapcsolati hiba. Ha a hiba továbbra is fennáll, lépjen kapcsolatba a rendszer támogatással.", "PE.Controllers.Main.errorDatabaseConnection": "Külső hiba.<br>Adatbázis-kapcsolati hiba. Ha a hiba továbbra is fennáll, lépjen kapcsolatba a rendszer támogatással.",
"PE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.", "PE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.",
"PE.Controllers.Main.errorDataRange": "Hibás adattartomány.", "PE.Controllers.Main.errorDataRange": "Hibás adattartomány.",
@ -523,8 +523,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.", "PE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"PE.Controllers.Main.warnLicenseExp": "A licence lejárt.<br>Kérem frissítse a licencét, majd az oldalt.", "PE.Controllers.Main.warnLicenseExp": "A licence lejárt.<br>Kérem frissítse a licencét, majd az oldalt.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "A párhuzamos felhasználók száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.", "PE.Controllers.Main.warnLicenseUsersExceeded": "A párhuzamos felhasználók száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.<br>Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"PE.Controllers.Main.warnNoLicense": "Ez a verziója az ONLYOFFICE Szerkesztőnek bizonyos limitációkat tartalmaz párhuzamos kapcsolódások terén a dokumentum szerverhez.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.", "PE.Controllers.Main.warnNoLicense": "Ez a verziója az %1 szerkesztőnek bizonyos limitációkat tartalmaz párhuzamos kapcsolódások terén a dokumentum szerverhez.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
"PE.Controllers.Main.warnNoLicenseUsers": "Ez a verziója az ONLYOFFICE Szerkesztőnek bizonyos limitációkat tartalmaz párhuzamosan kapcsolódott felhasználók terén.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.", "PE.Controllers.Main.warnNoLicenseUsers": "Ez a verziója az %1 szerkesztőnek bizonyos limitációkat tartalmaz párhuzamosan kapcsolódott felhasználók terén.<br>Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
"PE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.", "PE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.",
"PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "A menteni kívánt betűkészlet nem érhető el az aktuális eszközön.<br>A szövegstílus a rendszer egyik betűkészletével jelenik meg, a mentett betűtípust akkor használja, ha elérhető.<br>Folytatni szeretné?", "PE.Controllers.Toolbar.confirmAddFontName": "A menteni kívánt betűkészlet nem érhető el az aktuális eszközön.<br>A szövegstílus a rendszer egyik betűkészletével jelenik meg, a mentett betűtípust akkor használja, ha elérhető.<br>Folytatni szeretné?",

View file

@ -251,7 +251,7 @@
"PE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.<br>Si prega di contattare l'amministratore del Server dei Documenti.", "PE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.<br>Si prega di contattare l'amministratore del Server dei Documenti.",
"PE.Controllers.Main.errorBadImageUrl": "URL dell'immagine errato", "PE.Controllers.Main.errorBadImageUrl": "URL dell'immagine errato",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Connessione al server persa. Impossibile modificare il documento.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Connessione al server persa. Impossibile modificare il documento.",
"PE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.<br>Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.<br><br>Per maggiori dettagli sulla connessione al Document Server <a href=\"%1\" target=\"_blank\">here</a>", "PE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.<br>Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.<br><br>Per maggiori dettagli sulla connessione al Document Server <a href=\"%1\" target=\"_blank\">clicca qui</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Errore esterno.<br>Errore di connessione a banca dati. Si prega di contattare l'assistenza tecnica nel caso in cui l'errore persiste.", "PE.Controllers.Main.errorDatabaseConnection": "Errore esterno.<br>Errore di connessione a banca dati. Si prega di contattare l'assistenza tecnica nel caso in cui l'errore persiste.",
"PE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.", "PE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.",
"PE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.", "PE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.",
@ -583,7 +583,7 @@
"PE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Contattare l'amministratore per ulteriori informazioni.", "PE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Contattare l'amministratore per ulteriori informazioni.",
"PE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta.<br>Si prega di aggiornare la licenza e ricaricare la pagina.", "PE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta.<br>Si prega di aggiornare la licenza e ricaricare la pagina.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "Il numero di utenti simultaei è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Per ulteriori informazioni, contattare l'amministratore.", "PE.Controllers.Main.warnLicenseUsersExceeded": "Il numero di utenti simultaei è stato superato e il documento verrà aperto solo per la visualizzazione. <br>Per ulteriori informazioni, contattare l'amministratore.",
"PE.Controllers.Main.warnNoLicense": "Questa versione di ONLYOFFICE® Editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.", "PE.Controllers.Main.warnNoLicense": "Questa versione di %1 editors presenta delle limitazioni per le connessioni simultanee al server dei documenti.<br>Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
"PE.Controllers.Main.warnNoLicenseUsers": "Questa versione di %1 presenta alcune limitazioni per gli utenti simultanei.<br> Se hai bisogno di più, ti preghiamo di considerare l'aggiornamento della tua licenza attuale o l'acquisto di una licenza commerciale.", "PE.Controllers.Main.warnNoLicenseUsers": "Questa versione di %1 presenta alcune limitazioni per gli utenti simultanei.<br> Se hai bisogno di più, ti preghiamo di considerare l'aggiornamento della tua licenza attuale o l'acquisto di una licenza commerciale.",
"PE.Controllers.Main.warnProcessRightsChange": "Ci stato negato il diritto alla modifica del file.", "PE.Controllers.Main.warnProcessRightsChange": "Ci stato negato il diritto alla modifica del file.",
"PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%",
@ -1030,6 +1030,7 @@
"PE.Views.DocumentHolder.textSlideSettings": "Slide Settings", "PE.Views.DocumentHolder.textSlideSettings": "Slide Settings",
"PE.Views.DocumentHolder.textUndo": "Annulla", "PE.Views.DocumentHolder.textUndo": "Annulla",
"PE.Views.DocumentHolder.tipIsLocked": "Questo elemento sta modificando da un altro utente.", "PE.Views.DocumentHolder.tipIsLocked": "Questo elemento sta modificando da un altro utente.",
"PE.Views.DocumentHolder.toDictionaryText": "Aggiungi al Dizionario",
"PE.Views.DocumentHolder.txtAddBottom": "Aggiungi bordo inferiore", "PE.Views.DocumentHolder.txtAddBottom": "Aggiungi bordo inferiore",
"PE.Views.DocumentHolder.txtAddFractionBar": "Aggiungi barra di frazione", "PE.Views.DocumentHolder.txtAddFractionBar": "Aggiungi barra di frazione",
"PE.Views.DocumentHolder.txtAddHor": "Aggiungi linea orizzontale", "PE.Views.DocumentHolder.txtAddHor": "Aggiungi linea orizzontale",
@ -1099,6 +1100,7 @@
"PE.Views.DocumentHolder.txtPasteSourceFormat": "Mantieni la formattazione sorgente", "PE.Views.DocumentHolder.txtPasteSourceFormat": "Mantieni la formattazione sorgente",
"PE.Views.DocumentHolder.txtPressLink": "Premi CTRL e clicca sul collegamento", "PE.Views.DocumentHolder.txtPressLink": "Premi CTRL e clicca sul collegamento",
"PE.Views.DocumentHolder.txtPreview": "Avvia anteprima", "PE.Views.DocumentHolder.txtPreview": "Avvia anteprima",
"PE.Views.DocumentHolder.txtPrintSelection": "Stampa Selezione",
"PE.Views.DocumentHolder.txtRemFractionBar": "Rimuovi la barra di frazione", "PE.Views.DocumentHolder.txtRemFractionBar": "Rimuovi la barra di frazione",
"PE.Views.DocumentHolder.txtRemLimit": "Rimuovi limite", "PE.Views.DocumentHolder.txtRemLimit": "Rimuovi limite",
"PE.Views.DocumentHolder.txtRemoveAccentChar": "Rimuovi accento carattere", "PE.Views.DocumentHolder.txtRemoveAccentChar": "Rimuovi accento carattere",
@ -1229,6 +1231,7 @@
"PE.Views.HeaderFooterDialog.diffLanguage": "Non è possibile utilizzare un formato data in una lingua diversa da quella della diapositiva.<br>Per cambiare il master, fare clic su \"Applica a tutto\" anziché \"Applica\"", "PE.Views.HeaderFooterDialog.diffLanguage": "Non è possibile utilizzare un formato data in una lingua diversa da quella della diapositiva.<br>Per cambiare il master, fare clic su \"Applica a tutto\" anziché \"Applica\"",
"PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Avviso", "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Avviso",
"PE.Views.HeaderFooterDialog.textDateTime": "Data e ora", "PE.Views.HeaderFooterDialog.textDateTime": "Data e ora",
"PE.Views.HeaderFooterDialog.textFixed": "Bloccato",
"PE.Views.HeaderFooterDialog.textFooter": "Testo a piè di pagina", "PE.Views.HeaderFooterDialog.textFooter": "Testo a piè di pagina",
"PE.Views.HeaderFooterDialog.textFormat": "Formati", "PE.Views.HeaderFooterDialog.textFormat": "Formati",
"PE.Views.HeaderFooterDialog.textLang": "Lingua", "PE.Views.HeaderFooterDialog.textLang": "Lingua",
@ -1321,20 +1324,32 @@
"PE.Views.ParagraphSettingsAdvanced.okButtonText": "OK", "PE.Views.ParagraphSettingsAdvanced.okButtonText": "OK",
"PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Maiuscole", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Maiuscole",
"PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio", "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio",
"PE.Views.ParagraphSettingsAdvanced.strIndent": "Rientri",
"PE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Prima riga", "PE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Prima riga",
"PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "A sinistra", "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "A sinistra",
"PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Interlinea",
"PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "A destra", "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "A destra",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Dopo",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Prima",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Speciale",
"PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Tipo di carattere", "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Tipo di carattere",
"PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Rientri e posizionamento", "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Rientri e spaziatura",
"PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Maiuscoletto", "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Maiuscoletto",
"PE.Views.ParagraphSettingsAdvanced.strSpacing": "Spaziatura",
"PE.Views.ParagraphSettingsAdvanced.strStrike": "Barrato", "PE.Views.ParagraphSettingsAdvanced.strStrike": "Barrato",
"PE.Views.ParagraphSettingsAdvanced.strSubscript": "Pedice", "PE.Views.ParagraphSettingsAdvanced.strSubscript": "Pedice",
"PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Apice", "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Apice",
"PE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulazione", "PE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulazione",
"PE.Views.ParagraphSettingsAdvanced.textAlign": "Allineamento", "PE.Views.ParagraphSettingsAdvanced.textAlign": "Allineamento",
"PE.Views.ParagraphSettingsAdvanced.textAuto": "multiplo",
"PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spaziatura caratteri", "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spaziatura caratteri",
"PE.Views.ParagraphSettingsAdvanced.textDefault": "Predefinita", "PE.Views.ParagraphSettingsAdvanced.textDefault": "Predefinita",
"PE.Views.ParagraphSettingsAdvanced.textEffects": "Effetti", "PE.Views.ParagraphSettingsAdvanced.textEffects": "Effetti",
"PE.Views.ParagraphSettingsAdvanced.textExact": "Esatto",
"PE.Views.ParagraphSettingsAdvanced.textFirstLine": "Prima riga",
"PE.Views.ParagraphSettingsAdvanced.textHanging": "Sospensione",
"PE.Views.ParagraphSettingsAdvanced.textJustified": "Giustificato",
"PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(nessuna)",
"PE.Views.ParagraphSettingsAdvanced.textRemove": "Elimina", "PE.Views.ParagraphSettingsAdvanced.textRemove": "Elimina",
"PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Elimina tutto", "PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Elimina tutto",
"PE.Views.ParagraphSettingsAdvanced.textSet": "Specifica", "PE.Views.ParagraphSettingsAdvanced.textSet": "Specifica",
@ -1343,6 +1358,7 @@
"PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posizione", "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posizione",
"PE.Views.ParagraphSettingsAdvanced.textTabRight": "A destra", "PE.Views.ParagraphSettingsAdvanced.textTabRight": "A destra",
"PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragrafo - Impostazioni avanzate", "PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragrafo - Impostazioni avanzate",
"PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"PE.Views.RightMenu.txtChartSettings": "Impostazioni grafico", "PE.Views.RightMenu.txtChartSettings": "Impostazioni grafico",
"PE.Views.RightMenu.txtImageSettings": "Impostazioni immagine", "PE.Views.RightMenu.txtImageSettings": "Impostazioni immagine",
"PE.Views.RightMenu.txtParagraphSettings": "Impostazioni testo", "PE.Views.RightMenu.txtParagraphSettings": "Impostazioni testo",
@ -1357,6 +1373,7 @@
"PE.Views.ShapeSettings.strFill": "Riempimento", "PE.Views.ShapeSettings.strFill": "Riempimento",
"PE.Views.ShapeSettings.strForeground": "Colore primo piano", "PE.Views.ShapeSettings.strForeground": "Colore primo piano",
"PE.Views.ShapeSettings.strPattern": "Modello", "PE.Views.ShapeSettings.strPattern": "Modello",
"PE.Views.ShapeSettings.strShadow": "Mostra ombra",
"PE.Views.ShapeSettings.strSize": "Dimensione", "PE.Views.ShapeSettings.strSize": "Dimensione",
"PE.Views.ShapeSettings.strStroke": "Tratto", "PE.Views.ShapeSettings.strStroke": "Tratto",
"PE.Views.ShapeSettings.strTransparency": "Opacità", "PE.Views.ShapeSettings.strTransparency": "Opacità",
@ -1669,6 +1686,9 @@
"PE.Views.TextArtSettings.txtWood": "Legno", "PE.Views.TextArtSettings.txtWood": "Legno",
"PE.Views.Toolbar.capAddSlide": "Aggiungi diapositiva", "PE.Views.Toolbar.capAddSlide": "Aggiungi diapositiva",
"PE.Views.Toolbar.capBtnComment": "Commento", "PE.Views.Toolbar.capBtnComment": "Commento",
"PE.Views.Toolbar.capBtnDateTime": "Data e ora",
"PE.Views.Toolbar.capBtnInsHeader": "Inntestazioni/Piè di pagina",
"PE.Views.Toolbar.capBtnSlideNum": "Numero Diapositiva",
"PE.Views.Toolbar.capInsertChart": "Grafico", "PE.Views.Toolbar.capInsertChart": "Grafico",
"PE.Views.Toolbar.capInsertEquation": "Equazione", "PE.Views.Toolbar.capInsertEquation": "Equazione",
"PE.Views.Toolbar.capInsertHyperlink": "Collegamento ipertestuale", "PE.Views.Toolbar.capInsertHyperlink": "Collegamento ipertestuale",
@ -1739,7 +1759,9 @@
"PE.Views.Toolbar.tipColorSchemas": "Cambia combinazione colori", "PE.Views.Toolbar.tipColorSchemas": "Cambia combinazione colori",
"PE.Views.Toolbar.tipCopy": "Copia", "PE.Views.Toolbar.tipCopy": "Copia",
"PE.Views.Toolbar.tipCopyStyle": "Copia stile", "PE.Views.Toolbar.tipCopyStyle": "Copia stile",
"PE.Views.Toolbar.tipDateTime": "Inserisci data e ora correnti",
"PE.Views.Toolbar.tipDecPrLeft": "Riduci rientro", "PE.Views.Toolbar.tipDecPrLeft": "Riduci rientro",
"PE.Views.Toolbar.tipEditHeader": "Modifica intestazione o piè di pagina",
"PE.Views.Toolbar.tipFontColor": "Colore caratteri", "PE.Views.Toolbar.tipFontColor": "Colore caratteri",
"PE.Views.Toolbar.tipFontName": "Tipo di carattere", "PE.Views.Toolbar.tipFontName": "Tipo di carattere",
"PE.Views.Toolbar.tipFontSize": "Dimensione carattere", "PE.Views.Toolbar.tipFontSize": "Dimensione carattere",
@ -1764,6 +1786,7 @@
"PE.Views.Toolbar.tipSaveCoauth": "Salva i tuoi cambiamenti per renderli disponibili agli altri utenti.", "PE.Views.Toolbar.tipSaveCoauth": "Salva i tuoi cambiamenti per renderli disponibili agli altri utenti.",
"PE.Views.Toolbar.tipShapeAlign": "Allinea forma", "PE.Views.Toolbar.tipShapeAlign": "Allinea forma",
"PE.Views.Toolbar.tipShapeArrange": "Disponi forma", "PE.Views.Toolbar.tipShapeArrange": "Disponi forma",
"PE.Views.Toolbar.tipSlideNum": "Inserisci Numero Diapositiva",
"PE.Views.Toolbar.tipSlideSize": "Seleziona dimensione diapositiva", "PE.Views.Toolbar.tipSlideSize": "Seleziona dimensione diapositiva",
"PE.Views.Toolbar.tipSlideTheme": "Tema diapositiva", "PE.Views.Toolbar.tipSlideTheme": "Tema diapositiva",
"PE.Views.Toolbar.tipUndo": "Annulla", "PE.Views.Toolbar.tipUndo": "Annulla",

View file

@ -100,7 +100,7 @@
"PE.Controllers.Main.downloadTextText": "プレゼンテーションのダウンロード中...", "PE.Controllers.Main.downloadTextText": "プレゼンテーションのダウンロード中...",
"PE.Controllers.Main.downloadTitleText": "プレゼンテーションのダウンロード中", "PE.Controllers.Main.downloadTitleText": "プレゼンテーションのダウンロード中",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。", "PE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。",
"PE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。<br>OKボタンをクリックするとドキュメントをダウンロードするように求められます。<br><br>ドキュメントサーバーの接続の詳細情報を見つけます:<a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "PE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。<br>OKボタンをクリックするとドキュメントをダウンロードするように求められます。<br><br>ドキュメントサーバーの接続の詳細情報を見つけます:<a href=\"%1\" target=\"_blank\">ここに</a>",
"PE.Controllers.Main.errorDatabaseConnection": "外部エラーです。<br>データベース接続エラーです。この問題は解決しない場合は、サポートにお問い合わせください。 ", "PE.Controllers.Main.errorDatabaseConnection": "外部エラーです。<br>データベース接続エラーです。この問題は解決しない場合は、サポートにお問い合わせください。 ",
"PE.Controllers.Main.errorDataRange": "データ範囲が正しくありません", "PE.Controllers.Main.errorDataRange": "データ範囲が正しくありません",
"PE.Controllers.Main.errorDefaultMessage": "エラー コード:%1", "PE.Controllers.Main.errorDefaultMessage": "エラー コード:%1",

View file

@ -232,7 +232,7 @@
"PE.Controllers.Main.errorAccessDeny": "권한이없는 작업을 수행하려고합니다. <br> Document Server 관리자에게 문의하십시오.", "PE.Controllers.Main.errorAccessDeny": "권한이없는 작업을 수행하려고합니다. <br> Document Server 관리자에게 문의하십시오.",
"PE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "PE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 지금 문서를 편집 할 수 없습니다.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 지금 문서를 편집 할 수 없습니다.",
"PE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오. <br> '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다. <br > <br> Document Server 연결에 대한 추가 정보 찾기 <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\"> 여기 </a> ", "PE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.<br>'확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.<br ><br>Document Server 연결에 대한 추가 정보 찾기 <a href=\"%1\" target=\"_blank\">여기</a> ",
"PE.Controllers.Main.errorDatabaseConnection": "외부 오류입니다. <br> 데이터베이스 연결 오류입니다. 오류가 계속 발생하면 지원 담당자에게 문의하십시오.", "PE.Controllers.Main.errorDatabaseConnection": "외부 오류입니다. <br> 데이터베이스 연결 오류입니다. 오류가 계속 발생하면 지원 담당자에게 문의하십시오.",
"PE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.", "PE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.",
"PE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1", "PE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1",
@ -376,8 +376,8 @@
"PE.Controllers.Main.warnBrowserIE9": "응용 프로그램의 기능이 IE9에서 부족합니다. IE10 이상을 사용하십시오.", "PE.Controllers.Main.warnBrowserIE9": "응용 프로그램의 기능이 IE9에서 부족합니다. IE10 이상을 사용하십시오.",
"PE.Controllers.Main.warnBrowserZoom": "브라우저의 현재 확대 / 축소 설정이 완전히 지원되지 않습니다. Ctrl + 0을 눌러 기본 확대 / 축소로 재설정하십시오.", "PE.Controllers.Main.warnBrowserZoom": "브라우저의 현재 확대 / 축소 설정이 완전히 지원되지 않습니다. Ctrl + 0을 눌러 기본 확대 / 축소로 재설정하십시오.",
"PE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. <br> 라이센스를 업데이트하고 페이지를 새로 고침하십시오.", "PE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. <br> 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
"PE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. <br> 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.", "PE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. <br> 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
"PE.Controllers.Main.warnNoLicenseUsers": "이 버전의 ONLYOFFICE 편집자에게는 동시 사용자에게 특정 제한 사항이 있습니다. <br> 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.", "PE.Controllers.Main.warnNoLicenseUsers": "이 버전의 %1 편집자에게는 동시 사용자에게 특정 제한 사항이 있습니다. <br> 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
"PE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.", "PE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"PE.Controllers.Statusbar.zoomText": "확대 / 축소 {0} %", "PE.Controllers.Statusbar.zoomText": "확대 / 축소 {0} %",
"PE.Controllers.Toolbar.confirmAddFontName": "저장하려는 글꼴을 현재 장치에서 사용할 수 없습니다. <br> 시스템 글꼴 중 하나를 사용하여 텍스트 스타일을 표시하고 저장된 글꼴을 사용하면 글꼴이 사용됩니다 사용할 수 있습니다. <br> 계속 하시겠습니까? ", "PE.Controllers.Toolbar.confirmAddFontName": "저장하려는 글꼴을 현재 장치에서 사용할 수 없습니다. <br> 시스템 글꼴 중 하나를 사용하여 텍스트 스타일을 표시하고 저장된 글꼴을 사용하면 글꼴이 사용됩니다 사용할 수 있습니다. <br> 계속 하시겠습니까? ",

View file

@ -229,7 +229,7 @@
"PE.Controllers.Main.errorAccessDeny": "Jūs mēģināt veikt darbību, kuru nedrīkstat veikt.<br>Lūdzu, sazinieties ar savu dokumentu servera administratoru.", "PE.Controllers.Main.errorAccessDeny": "Jūs mēģināt veikt darbību, kuru nedrīkstat veikt.<br>Lūdzu, sazinieties ar savu dokumentu servera administratoru.",
"PE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL", "PE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.",
"PE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.<br>When you click the 'OK' button, you will be prompted to download the document.<br><br>Find more information about connecting Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "PE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.<br>Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.<br><br>Uzziniet vairāk par dokumentu servera pieslēgšanu <a href=\"%1\" target=\"_blank\">šeit</a>",
"PE.Controllers.Main.errorDatabaseConnection": "External error.<br>Database connection error. Please contact support in case the error persists.", "PE.Controllers.Main.errorDatabaseConnection": "External error.<br>Database connection error. Please contact support in case the error persists.",
"PE.Controllers.Main.errorDataRange": "Incorrect data range.", "PE.Controllers.Main.errorDataRange": "Incorrect data range.",
"PE.Controllers.Main.errorDefaultMessage": "Error code: %1", "PE.Controllers.Main.errorDefaultMessage": "Error code: %1",
@ -373,8 +373,8 @@
"PE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher", "PE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher",
"PE.Controllers.Main.warnBrowserZoom": "Your browser current zoom setting is not fully supported. Please reset to the default zoom by pressing Ctrl+0.", "PE.Controllers.Main.warnBrowserZoom": "Your browser current zoom setting is not fully supported. Please reset to the default zoom by pressing Ctrl+0.",
"PE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš.<br>Lūdzu, atjauniniet savu licenci un pārlādējiet lapu.", "PE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš.<br>Lūdzu, atjauniniet savu licenci un pārlādējiet lapu.",
"PE.Controllers.Main.warnNoLicense": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet Jūsu šībrīža licences līmeņa paaugstināšanu vai komerciālās licences iegādi.", "PE.Controllers.Main.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet Jūsu šībrīža licences līmeņa paaugstināšanu vai komerciālās licences iegādi.",
"PE.Controllers.Main.warnNoLicenseUsers": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.", "PE.Controllers.Main.warnNoLicenseUsers": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību.<br>Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.",
"PE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", "PE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.",
"PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.<br>The text style will be displayed using one of the system fonts, the saved font will be used when it is available.<br>Do you want to continue?", "PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.<br>The text style will be displayed using one of the system fonts, the saved font will be used when it is available.<br>Do you want to continue?",

View file

@ -232,7 +232,7 @@
"PE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.<br>Neem contact op met de beheerder van de documentserver.", "PE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.<br>Neem contact op met de beheerder van de documentserver.",
"PE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "PE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server is verbroken. Het document kan op dit moment niet worden bewerkt.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server is verbroken. Het document kan op dit moment niet worden bewerkt.",
"PE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.<br>Wanneer u op de knop 'OK' klikt, wordt u gevraagd om het document te downloaden.<br><br>Meer informatie over de verbinding met een documentserver is <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">hier</a> te vinden.", "PE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.<br>Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.<br><br>Meer informatie over verbindingen met de documentserver is <a href=\"%1\" target=\"_blank\">hier</a> te vinden.",
"PE.Controllers.Main.errorDatabaseConnection": "Externe fout.<br>Fout in databaseverbinding. Neem contact op met Support als deze fout zich blijft voordoen.", "PE.Controllers.Main.errorDatabaseConnection": "Externe fout.<br>Fout in databaseverbinding. Neem contact op met Support als deze fout zich blijft voordoen.",
"PE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik.", "PE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik.",
"PE.Controllers.Main.errorDefaultMessage": "Foutcode: %1", "PE.Controllers.Main.errorDefaultMessage": "Foutcode: %1",
@ -382,8 +382,8 @@
"PE.Controllers.Main.warnBrowserIE9": "Met IE9 heeft de toepassing beperkte mogelijkheden. Gebruik IE10 of hoger.", "PE.Controllers.Main.warnBrowserIE9": "Met IE9 heeft de toepassing beperkte mogelijkheden. Gebruik IE10 of hoger.",
"PE.Controllers.Main.warnBrowserZoom": "De huidige zoominstelling van uw browser wordt niet ondersteund. Zet de zoominstelling terug op de standaardwaarde door op Ctrl+0 te drukken.", "PE.Controllers.Main.warnBrowserZoom": "De huidige zoominstelling van uw browser wordt niet ondersteund. Zet de zoominstelling terug op de standaardwaarde door op Ctrl+0 te drukken.",
"PE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen.<br>Werk uw licentie bij en vernieuw de pagina.", "PE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen.<br>Werk uw licentie bij en vernieuw de pagina.",
"PE.Controllers.Main.warnNoLicense": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.", "PE.Controllers.Main.warnNoLicense": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
"PE.Controllers.Main.warnNoLicenseUsers": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.", "PE.Controllers.Main.warnNoLicenseUsers": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers.<br>Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
"PE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.", "PE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.",
"PE.Controllers.Statusbar.zoomText": "Zoomen {0}%", "PE.Controllers.Statusbar.zoomText": "Zoomen {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Het lettertype dat u probeert op te slaan, is niet beschikbaar op het huidige apparaat.<br>De tekststijl wordt weergegeven met een van de systeemlettertypen. Het opgeslagen lettertype wordt gebruikt wanneer het beschikbaar is.<br>Wilt u doorgaan?", "PE.Controllers.Toolbar.confirmAddFontName": "Het lettertype dat u probeert op te slaan, is niet beschikbaar op het huidige apparaat.<br>De tekststijl wordt weergegeven met een van de systeemlettertypen. Het opgeslagen lettertype wordt gebruikt wanneer het beschikbaar is.<br>Wilt u doorgaan?",

View file

@ -138,7 +138,7 @@
"PE.Controllers.Main.errorAccessDeny": "Próbujesz wykonać działanie, na które nie masz uprawnień.<br>Proszę skontaktować się z administratorem serwera dokumentów.", "PE.Controllers.Main.errorAccessDeny": "Próbujesz wykonać działanie, na które nie masz uprawnień.<br>Proszę skontaktować się z administratorem serwera dokumentów.",
"PE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "PE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie można teraz edytować dokumentu.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie można teraz edytować dokumentu.",
"PE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.<br>Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.<br><br>Dowiedz się więcej o połączeniu serwera dokumentów <a href=\"https://api.onlyoffice.com/editors/callback \"target =\"_blank \">tutaj</a>", "PE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.<br>Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.<br><br>Dowiedz się więcej o połączeniu serwera dokumentów <a href=\"%1\" target=\"_blank\">tutaj</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Błąd zewnętrzny.<br>Błąd połączenia z bazą danych. W przypadku wystąpienia błędu należy skontaktować się z pomocą techniczną.", "PE.Controllers.Main.errorDatabaseConnection": "Błąd zewnętrzny.<br>Błąd połączenia z bazą danych. W przypadku wystąpienia błędu należy skontaktować się z pomocą techniczną.",
"PE.Controllers.Main.errorDataRange": "Błędny zakres danych.", "PE.Controllers.Main.errorDataRange": "Błędny zakres danych.",
"PE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1", "PE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1",
@ -275,7 +275,7 @@
"PE.Controllers.Main.warnBrowserIE9": "Aplikacja ma małe możliwości w IE9. Użyj przeglądarki IE10 lub nowszej.", "PE.Controllers.Main.warnBrowserIE9": "Aplikacja ma małe możliwości w IE9. Użyj przeglądarki IE10 lub nowszej.",
"PE.Controllers.Main.warnBrowserZoom": "Aktualne ustawienie powiększenia przeglądarki nie jest w pełni obsługiwane. Zresetuj domyślny zoom, naciskając Ctrl + 0.", "PE.Controllers.Main.warnBrowserZoom": "Aktualne ustawienie powiększenia przeglądarki nie jest w pełni obsługiwane. Zresetuj domyślny zoom, naciskając Ctrl + 0.",
"PE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła.<br>Zaktualizuj licencję i odśwież stronę.", "PE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła.<br>Zaktualizuj licencję i odśwież stronę.",
"PE.Controllers.Main.warnNoLicense": "Używasz wersji ONLYOFFICE w wersji open source. Wersja ma ograniczenia dla jednoczesnych połączeń z serwerem dokumentów (po 20 połączeń naraz). Jeśli potrzebujesz więcej, rozważ zakup licencji komercyjnej.", "PE.Controllers.Main.warnNoLicense": "Używasz wersji %1 w wersji open source. Wersja ma ograniczenia dla jednoczesnych połączeń z serwerem dokumentów (po 20 połączeń naraz). Jeśli potrzebujesz więcej, rozważ zakup licencji komercyjnej.",
"PE.Controllers.Main.warnProcessRightsChange": "Nie masz prawa edytować tego pliku.", "PE.Controllers.Main.warnProcessRightsChange": "Nie masz prawa edytować tego pliku.",
"PE.Controllers.Statusbar.zoomText": "Powiększenie {0}%", "PE.Controllers.Statusbar.zoomText": "Powiększenie {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Czcionka, którą zamierzasz zapisać, nie jest dostępna na bieżącym urządzeniu.<br>Styl tekstu zostanie wyświetlony przy użyciu jednej z czcionek systemowych, a zapisana czcionka będzie używana, jeśli będzie dostępna.<br>Czy chcesz kontynuować?", "PE.Controllers.Toolbar.confirmAddFontName": "Czcionka, którą zamierzasz zapisać, nie jest dostępna na bieżącym urządzeniu.<br>Styl tekstu zostanie wyświetlony przy użyciu jednej z czcionek systemowych, a zapisana czcionka będzie używana, jeśli będzie dostępna.<br>Czy chcesz kontynuować?",
@ -1251,8 +1251,8 @@
"PE.Views.Toolbar.capInsertTable": "Tabela", "PE.Views.Toolbar.capInsertTable": "Tabela",
"PE.Views.Toolbar.capInsertText": "Pole tekstowe", "PE.Views.Toolbar.capInsertText": "Pole tekstowe",
"PE.Views.Toolbar.capTabFile": "Plik", "PE.Views.Toolbar.capTabFile": "Plik",
"PE.Views.Toolbar.capTabHome": "Strona główna", "PE.Views.Toolbar.capTabHome": "Narzędzia główne",
"PE.Views.Toolbar.capTabInsert": "Wstawić", "PE.Views.Toolbar.capTabInsert": "Wstawianie",
"PE.Views.Toolbar.mniCustomTable": "Wstaw tabelę niestandardową", "PE.Views.Toolbar.mniCustomTable": "Wstaw tabelę niestandardową",
"PE.Views.Toolbar.mniImageFromFile": "Obraz z pliku", "PE.Views.Toolbar.mniImageFromFile": "Obraz z pliku",
"PE.Views.Toolbar.mniImageFromUrl": "Obraz z URL", "PE.Views.Toolbar.mniImageFromUrl": "Obraz z URL",
@ -1297,9 +1297,10 @@
"PE.Views.Toolbar.textSubscript": "Indeks dolny", "PE.Views.Toolbar.textSubscript": "Indeks dolny",
"PE.Views.Toolbar.textSuperscript": "Indeks górny", "PE.Views.Toolbar.textSuperscript": "Indeks górny",
"PE.Views.Toolbar.textSurface": "Powierzchnia", "PE.Views.Toolbar.textSurface": "Powierzchnia",
"PE.Views.Toolbar.textTabCollaboration": "Współpraca",
"PE.Views.Toolbar.textTabFile": "Plik", "PE.Views.Toolbar.textTabFile": "Plik",
"PE.Views.Toolbar.textTabHome": "Start", "PE.Views.Toolbar.textTabHome": "Narzędzia główne",
"PE.Views.Toolbar.textTabInsert": "Wstawić", "PE.Views.Toolbar.textTabInsert": "Wstawianie",
"PE.Views.Toolbar.textTitleError": "Błąd", "PE.Views.Toolbar.textTitleError": "Błąd",
"PE.Views.Toolbar.textUnderline": "Podkreśl", "PE.Views.Toolbar.textUnderline": "Podkreśl",
"PE.Views.Toolbar.tipAddSlide": "Dodaj slajd", "PE.Views.Toolbar.tipAddSlide": "Dodaj slajd",
@ -1310,6 +1311,7 @@
"PE.Views.Toolbar.tipColorSchemas": "Zmień schemat kolorów", "PE.Views.Toolbar.tipColorSchemas": "Zmień schemat kolorów",
"PE.Views.Toolbar.tipCopy": "Kopiuj", "PE.Views.Toolbar.tipCopy": "Kopiuj",
"PE.Views.Toolbar.tipCopyStyle": "Kopiuj styl", "PE.Views.Toolbar.tipCopyStyle": "Kopiuj styl",
"PE.Views.Toolbar.tipDateTime": "Wstaw aktualną datę i godzinę",
"PE.Views.Toolbar.tipDecPrLeft": "Zmniejsz wcięcie", "PE.Views.Toolbar.tipDecPrLeft": "Zmniejsz wcięcie",
"PE.Views.Toolbar.tipFontColor": "Kolor czcionki", "PE.Views.Toolbar.tipFontColor": "Kolor czcionki",
"PE.Views.Toolbar.tipFontName": "Czcionka", "PE.Views.Toolbar.tipFontName": "Czcionka",
@ -1335,6 +1337,7 @@
"PE.Views.Toolbar.tipSaveCoauth": "Zapisz swoje zmiany, aby inni użytkownicy mogli je zobaczyć.", "PE.Views.Toolbar.tipSaveCoauth": "Zapisz swoje zmiany, aby inni użytkownicy mogli je zobaczyć.",
"PE.Views.Toolbar.tipShapeAlign": "Wyrównaj kształt", "PE.Views.Toolbar.tipShapeAlign": "Wyrównaj kształt",
"PE.Views.Toolbar.tipShapeArrange": "Uformuj kształt", "PE.Views.Toolbar.tipShapeArrange": "Uformuj kształt",
"PE.Views.Toolbar.tipSlideNum": "Wstaw numer slajdu",
"PE.Views.Toolbar.tipSlideSize": "Wybierz rozmiar slajdu", "PE.Views.Toolbar.tipSlideSize": "Wybierz rozmiar slajdu",
"PE.Views.Toolbar.tipSlideTheme": "Motyw slajdu", "PE.Views.Toolbar.tipSlideTheme": "Motyw slajdu",
"PE.Views.Toolbar.tipUndo": "Anulować", "PE.Views.Toolbar.tipUndo": "Anulować",

View file

@ -137,7 +137,7 @@
"PE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação para a qual não tem direitos.<br>Entre em contato com o administrador do Document Server.", "PE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação para a qual não tem direitos.<br>Entre em contato com o administrador do Document Server.",
"PE.Controllers.Main.errorBadImageUrl": "URL da imagem está incorreta", "PE.Controllers.Main.errorBadImageUrl": "URL da imagem está incorreta",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.",
"PE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.<br>When you click the 'OK' button, you will be prompted to download the document.<br><br>Find more information about connecting Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "PE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.<br>Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento. <br><br>Encontre mais informações sobre como conecta ao Document Server <a href=\"%1\" target=\"_blank\">aqui</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Erro externo.<br>Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.", "PE.Controllers.Main.errorDatabaseConnection": "Erro externo.<br>Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.",
"PE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", "PE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.",
"PE.Controllers.Main.errorDefaultMessage": "Código do erro: %1", "PE.Controllers.Main.errorDefaultMessage": "Código do erro: %1",
@ -274,7 +274,7 @@
"PE.Controllers.Main.warnBrowserIE9": "O aplicativo tem baixa capacidade no IE9. Usar IE10 ou superior", "PE.Controllers.Main.warnBrowserIE9": "O aplicativo tem baixa capacidade no IE9. Usar IE10 ou superior",
"PE.Controllers.Main.warnBrowserZoom": "A configuração de zoom atual de seu navegador não é completamente suportada. Redefina para o zoom padrão pressionando Ctrl+0.", "PE.Controllers.Main.warnBrowserZoom": "A configuração de zoom atual de seu navegador não é completamente suportada. Redefina para o zoom padrão pressionando Ctrl+0.",
"PE.Controllers.Main.warnLicenseExp": "Sua licença expirou.<br>Atualize sua licença e atualize a página.", "PE.Controllers.Main.warnLicenseExp": "Sua licença expirou.<br>Atualize sua licença e atualize a página.",
"PE.Controllers.Main.warnNoLicense": "Você está usando uma versão de código aberto do ONLYOFFICE. A versão tem limitações para conexões simultâneas com servidor de documentos (20 conexões por vez).<br>Se você precisar de mais, considere a compra de uma licença comercial.", "PE.Controllers.Main.warnNoLicense": "Você está usando uma versão de código aberto do %1. A versão tem limitações para conexões simultâneas com servidor de documentos (20 conexões por vez).<br>Se você precisar de mais, considere a compra de uma licença comercial.",
"PE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.", "PE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.",
"PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.<br>The text style will be displayed using one of the device fonts, the saved font will be used when it is available.<br>Do you want to continue?", "PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.<br>The text style will be displayed using one of the device fonts, the saved font will be used when it is available.<br>Do you want to continue?",

View file

@ -583,7 +583,7 @@
"PE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.<br>Обратитесь к администратору за дополнительной информацией.", "PE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.<br>Обратитесь к администратору за дополнительной информацией.",
"PE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.<br>Обновите лицензию, а затем обновите страницу.", "PE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.<br>Обновите лицензию, а затем обновите страницу.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.<br>Обратитесь к администратору за дополнительной информацией.", "PE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.<br>Обратитесь к администратору за дополнительной информацией.",
"PE.Controllers.Main.warnNoLicense": "Эта версия редакторов ONLYOFFICE имеет некоторые ограничения по количеству одновременных подключений к серверу документов.<br>Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "PE.Controllers.Main.warnNoLicense": "Эта версия редакторов %1 имеет некоторые ограничения по количеству одновременных подключений к серверу документов.<br>Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.",
"PE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.<br>Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "PE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.<br>Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.",
"PE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", "PE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.",
"PE.Controllers.Statusbar.zoomText": "Масштаб {0}%", "PE.Controllers.Statusbar.zoomText": "Масштаб {0}%",
@ -977,7 +977,6 @@
"PE.Views.DocumentHolder.hyperlinkText": "Гиперссылка", "PE.Views.DocumentHolder.hyperlinkText": "Гиперссылка",
"PE.Views.DocumentHolder.ignoreAllSpellText": "Пропустить все", "PE.Views.DocumentHolder.ignoreAllSpellText": "Пропустить все",
"PE.Views.DocumentHolder.ignoreSpellText": "Пропустить", "PE.Views.DocumentHolder.ignoreSpellText": "Пропустить",
"PE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь",
"PE.Views.DocumentHolder.insertColumnLeftText": "Столбец слева", "PE.Views.DocumentHolder.insertColumnLeftText": "Столбец слева",
"PE.Views.DocumentHolder.insertColumnRightText": "Столбец справа", "PE.Views.DocumentHolder.insertColumnRightText": "Столбец справа",
"PE.Views.DocumentHolder.insertColumnText": "Вставить столбец", "PE.Views.DocumentHolder.insertColumnText": "Вставить столбец",
@ -1031,6 +1030,7 @@
"PE.Views.DocumentHolder.textSlideSettings": "Параметры слайда", "PE.Views.DocumentHolder.textSlideSettings": "Параметры слайда",
"PE.Views.DocumentHolder.textUndo": "Отменить", "PE.Views.DocumentHolder.textUndo": "Отменить",
"PE.Views.DocumentHolder.tipIsLocked": "Этот элемент редактируется другим пользователем.", "PE.Views.DocumentHolder.tipIsLocked": "Этот элемент редактируется другим пользователем.",
"PE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь",
"PE.Views.DocumentHolder.txtAddBottom": "Добавить нижнюю границу", "PE.Views.DocumentHolder.txtAddBottom": "Добавить нижнюю границу",
"PE.Views.DocumentHolder.txtAddFractionBar": "Добавить дробную черту", "PE.Views.DocumentHolder.txtAddFractionBar": "Добавить дробную черту",
"PE.Views.DocumentHolder.txtAddHor": "Добавить горизонтальную линию", "PE.Views.DocumentHolder.txtAddHor": "Добавить горизонтальную линию",
@ -1100,6 +1100,7 @@
"PE.Views.DocumentHolder.txtPasteSourceFormat": "Сохранить исходное форматирование", "PE.Views.DocumentHolder.txtPasteSourceFormat": "Сохранить исходное форматирование",
"PE.Views.DocumentHolder.txtPressLink": "Нажмите клавишу CTRL и щелкните по ссылке", "PE.Views.DocumentHolder.txtPressLink": "Нажмите клавишу CTRL и щелкните по ссылке",
"PE.Views.DocumentHolder.txtPreview": "Начать показ слайдов", "PE.Views.DocumentHolder.txtPreview": "Начать показ слайдов",
"PE.Views.DocumentHolder.txtPrintSelection": "Напечатать выделенное",
"PE.Views.DocumentHolder.txtRemFractionBar": "Удалить дробную черту", "PE.Views.DocumentHolder.txtRemFractionBar": "Удалить дробную черту",
"PE.Views.DocumentHolder.txtRemLimit": "Удалить предел", "PE.Views.DocumentHolder.txtRemLimit": "Удалить предел",
"PE.Views.DocumentHolder.txtRemoveAccentChar": "Удалить диакритический знак", "PE.Views.DocumentHolder.txtRemoveAccentChar": "Удалить диакритический знак",
@ -1123,7 +1124,6 @@
"PE.Views.DocumentHolder.txtUnderbar": "Черта под текстом", "PE.Views.DocumentHolder.txtUnderbar": "Черта под текстом",
"PE.Views.DocumentHolder.txtUngroup": "Разгруппировать", "PE.Views.DocumentHolder.txtUngroup": "Разгруппировать",
"PE.Views.DocumentHolder.vertAlignText": "Вертикальное выравнивание", "PE.Views.DocumentHolder.vertAlignText": "Вертикальное выравнивание",
"PE.Views.DocumentHolder.txtPrintSelection": "Напечатать выделенное",
"PE.Views.DocumentPreview.goToSlideText": "Перейти к слайду", "PE.Views.DocumentPreview.goToSlideText": "Перейти к слайду",
"PE.Views.DocumentPreview.slideIndexText": "Слайд {0} из {1}", "PE.Views.DocumentPreview.slideIndexText": "Слайд {0} из {1}",
"PE.Views.DocumentPreview.txtClose": "Завершить показ слайдов", "PE.Views.DocumentPreview.txtClose": "Завершить показ слайдов",
@ -1211,7 +1211,7 @@
"PE.Views.FileMenuPanels.Settings.textAutoRecover": "Автовосстановление", "PE.Views.FileMenuPanels.Settings.textAutoRecover": "Автовосстановление",
"PE.Views.FileMenuPanels.Settings.textAutoSave": "Автосохранение", "PE.Views.FileMenuPanels.Settings.textAutoSave": "Автосохранение",
"PE.Views.FileMenuPanels.Settings.textDisabled": "Отключено", "PE.Views.FileMenuPanels.Settings.textDisabled": "Отключено",
"PE.Views.FileMenuPanels.Settings.textForceSave": "Сохранить на сервере", "PE.Views.FileMenuPanels.Settings.textForceSave": "Сохранять на сервере",
"PE.Views.FileMenuPanels.Settings.textMinute": "Каждую минуту", "PE.Views.FileMenuPanels.Settings.textMinute": "Каждую минуту",
"PE.Views.FileMenuPanels.Settings.txtAll": "Все", "PE.Views.FileMenuPanels.Settings.txtAll": "Все",
"PE.Views.FileMenuPanels.Settings.txtCm": "Сантиметр", "PE.Views.FileMenuPanels.Settings.txtCm": "Сантиметр",
@ -1231,6 +1231,7 @@
"PE.Views.HeaderFooterDialog.diffLanguage": "Формат даты должен использовать тот же язык, что и образец слайдов.<br>Чтобы изменить образец, вместо кнопки 'Применить' нажмите кнопку 'Применить ко всем'", "PE.Views.HeaderFooterDialog.diffLanguage": "Формат даты должен использовать тот же язык, что и образец слайдов.<br>Чтобы изменить образец, вместо кнопки 'Применить' нажмите кнопку 'Применить ко всем'",
"PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Внимание", "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Внимание",
"PE.Views.HeaderFooterDialog.textDateTime": "Дата и время", "PE.Views.HeaderFooterDialog.textDateTime": "Дата и время",
"PE.Views.HeaderFooterDialog.textFixed": "Фиксировано",
"PE.Views.HeaderFooterDialog.textFooter": "Текст в нижнем колонтитуле", "PE.Views.HeaderFooterDialog.textFooter": "Текст в нижнем колонтитуле",
"PE.Views.HeaderFooterDialog.textFormat": "Форматы", "PE.Views.HeaderFooterDialog.textFormat": "Форматы",
"PE.Views.HeaderFooterDialog.textLang": "Язык", "PE.Views.HeaderFooterDialog.textLang": "Язык",
@ -1323,20 +1324,32 @@
"PE.Views.ParagraphSettingsAdvanced.okButtonText": "ОК", "PE.Views.ParagraphSettingsAdvanced.okButtonText": "ОК",
"PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Все прописные", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Все прописные",
"PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Двойное зачёркивание", "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Двойное зачёркивание",
"PE.Views.ParagraphSettingsAdvanced.strIndent": "Отступы",
"PE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Первая строка", "PE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Первая строка",
"PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Слева", "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Слева",
"PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Междустрочный интервал",
"PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Справа", "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Справа",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "После",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Перед",
"PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Первая строка",
"PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Шрифт", "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Шрифт",
"PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и положение", "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и интервалы",
"PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Малые прописные", "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Малые прописные",
"PE.Views.ParagraphSettingsAdvanced.strSpacing": "Интервал между абзацами",
"PE.Views.ParagraphSettingsAdvanced.strStrike": "Зачёркивание", "PE.Views.ParagraphSettingsAdvanced.strStrike": "Зачёркивание",
"PE.Views.ParagraphSettingsAdvanced.strSubscript": "Подстрочные", "PE.Views.ParagraphSettingsAdvanced.strSubscript": "Подстрочные",
"PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Надстрочные", "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Надстрочные",
"PE.Views.ParagraphSettingsAdvanced.strTabs": "Табуляция", "PE.Views.ParagraphSettingsAdvanced.strTabs": "Табуляция",
"PE.Views.ParagraphSettingsAdvanced.textAlign": "Выравнивание", "PE.Views.ParagraphSettingsAdvanced.textAlign": "Выравнивание",
"PE.Views.ParagraphSettingsAdvanced.textAuto": "Множитель",
"PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Межзнаковый интервал", "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Межзнаковый интервал",
"PE.Views.ParagraphSettingsAdvanced.textDefault": "По умолчанию", "PE.Views.ParagraphSettingsAdvanced.textDefault": "По умолчанию",
"PE.Views.ParagraphSettingsAdvanced.textEffects": "Эффекты", "PE.Views.ParagraphSettingsAdvanced.textEffects": "Эффекты",
"PE.Views.ParagraphSettingsAdvanced.textExact": "Точно",
"PE.Views.ParagraphSettingsAdvanced.textFirstLine": "Отступ",
"PE.Views.ParagraphSettingsAdvanced.textHanging": "Выступ",
"PE.Views.ParagraphSettingsAdvanced.textJustified": "По ширине",
"PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(нет)",
"PE.Views.ParagraphSettingsAdvanced.textRemove": "Удалить", "PE.Views.ParagraphSettingsAdvanced.textRemove": "Удалить",
"PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Удалить все", "PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Удалить все",
"PE.Views.ParagraphSettingsAdvanced.textSet": "Задать", "PE.Views.ParagraphSettingsAdvanced.textSet": "Задать",
@ -1345,6 +1358,7 @@
"PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Позиция", "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Позиция",
"PE.Views.ParagraphSettingsAdvanced.textTabRight": "По правому краю", "PE.Views.ParagraphSettingsAdvanced.textTabRight": "По правому краю",
"PE.Views.ParagraphSettingsAdvanced.textTitle": "Абзац - дополнительные параметры", "PE.Views.ParagraphSettingsAdvanced.textTitle": "Абзац - дополнительные параметры",
"PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто",
"PE.Views.RightMenu.txtChartSettings": "Параметры диаграммы", "PE.Views.RightMenu.txtChartSettings": "Параметры диаграммы",
"PE.Views.RightMenu.txtImageSettings": "Параметры изображения", "PE.Views.RightMenu.txtImageSettings": "Параметры изображения",
"PE.Views.RightMenu.txtParagraphSettings": "Параметры текста", "PE.Views.RightMenu.txtParagraphSettings": "Параметры текста",
@ -1359,6 +1373,7 @@
"PE.Views.ShapeSettings.strFill": "Заливка", "PE.Views.ShapeSettings.strFill": "Заливка",
"PE.Views.ShapeSettings.strForeground": "Цвет переднего плана", "PE.Views.ShapeSettings.strForeground": "Цвет переднего плана",
"PE.Views.ShapeSettings.strPattern": "Узор", "PE.Views.ShapeSettings.strPattern": "Узор",
"PE.Views.ShapeSettings.strShadow": "Отображать тень",
"PE.Views.ShapeSettings.strSize": "Толщина", "PE.Views.ShapeSettings.strSize": "Толщина",
"PE.Views.ShapeSettings.strStroke": "Обводка", "PE.Views.ShapeSettings.strStroke": "Обводка",
"PE.Views.ShapeSettings.strTransparency": "Непрозрачность", "PE.Views.ShapeSettings.strTransparency": "Непрозрачность",
@ -1402,7 +1417,6 @@
"PE.Views.ShapeSettings.txtNoBorders": "Без обводки", "PE.Views.ShapeSettings.txtNoBorders": "Без обводки",
"PE.Views.ShapeSettings.txtPapyrus": "Папирус", "PE.Views.ShapeSettings.txtPapyrus": "Папирус",
"PE.Views.ShapeSettings.txtWood": "Дерево", "PE.Views.ShapeSettings.txtWood": "Дерево",
"PE.Views.ShapeSettings.strShadow": "Отображать тень",
"PE.Views.ShapeSettingsAdvanced.cancelButtonText": "Отмена", "PE.Views.ShapeSettingsAdvanced.cancelButtonText": "Отмена",
"PE.Views.ShapeSettingsAdvanced.okButtonText": "OK", "PE.Views.ShapeSettingsAdvanced.okButtonText": "OK",
"PE.Views.ShapeSettingsAdvanced.strColumns": "Колонки", "PE.Views.ShapeSettingsAdvanced.strColumns": "Колонки",
@ -1672,6 +1686,9 @@
"PE.Views.TextArtSettings.txtWood": "Дерево", "PE.Views.TextArtSettings.txtWood": "Дерево",
"PE.Views.Toolbar.capAddSlide": "Добавить слайд", "PE.Views.Toolbar.capAddSlide": "Добавить слайд",
"PE.Views.Toolbar.capBtnComment": "Комментарий", "PE.Views.Toolbar.capBtnComment": "Комментарий",
"PE.Views.Toolbar.capBtnDateTime": "Дата и время",
"PE.Views.Toolbar.capBtnInsHeader": "Колонтитулы",
"PE.Views.Toolbar.capBtnSlideNum": "Номер слайда",
"PE.Views.Toolbar.capInsertChart": "Диаграмма", "PE.Views.Toolbar.capInsertChart": "Диаграмма",
"PE.Views.Toolbar.capInsertEquation": "Уравнение", "PE.Views.Toolbar.capInsertEquation": "Уравнение",
"PE.Views.Toolbar.capInsertHyperlink": "Гиперссылка", "PE.Views.Toolbar.capInsertHyperlink": "Гиперссылка",
@ -1742,7 +1759,9 @@
"PE.Views.Toolbar.tipColorSchemas": "Изменение цветовой схемы", "PE.Views.Toolbar.tipColorSchemas": "Изменение цветовой схемы",
"PE.Views.Toolbar.tipCopy": "Копировать", "PE.Views.Toolbar.tipCopy": "Копировать",
"PE.Views.Toolbar.tipCopyStyle": "Копировать стиль", "PE.Views.Toolbar.tipCopyStyle": "Копировать стиль",
"PE.Views.Toolbar.tipDateTime": "Вставить текущую дату и время",
"PE.Views.Toolbar.tipDecPrLeft": "Уменьшить отступ", "PE.Views.Toolbar.tipDecPrLeft": "Уменьшить отступ",
"PE.Views.Toolbar.tipEditHeader": "Изменить колонтитулы",
"PE.Views.Toolbar.tipFontColor": "Цвет шрифта", "PE.Views.Toolbar.tipFontColor": "Цвет шрифта",
"PE.Views.Toolbar.tipFontName": "Шрифт", "PE.Views.Toolbar.tipFontName": "Шрифт",
"PE.Views.Toolbar.tipFontSize": "Размер шрифта", "PE.Views.Toolbar.tipFontSize": "Размер шрифта",
@ -1767,6 +1786,7 @@
"PE.Views.Toolbar.tipSaveCoauth": "Сохраните свои изменения, чтобы другие пользователи их увидели.", "PE.Views.Toolbar.tipSaveCoauth": "Сохраните свои изменения, чтобы другие пользователи их увидели.",
"PE.Views.Toolbar.tipShapeAlign": "Выравнивание фигур", "PE.Views.Toolbar.tipShapeAlign": "Выравнивание фигур",
"PE.Views.Toolbar.tipShapeArrange": "Порядок фигур", "PE.Views.Toolbar.tipShapeArrange": "Порядок фигур",
"PE.Views.Toolbar.tipSlideNum": "Вставить номер слайда",
"PE.Views.Toolbar.tipSlideSize": "Выбор размеров слайда", "PE.Views.Toolbar.tipSlideSize": "Выбор размеров слайда",
"PE.Views.Toolbar.tipSlideTheme": "Тема слайда", "PE.Views.Toolbar.tipSlideTheme": "Тема слайда",
"PE.Views.Toolbar.tipUndo": "Отменить", "PE.Views.Toolbar.tipUndo": "Отменить",

View file

@ -195,7 +195,7 @@
"PE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.<br>Prosím, kontaktujte svojho správcu dokumentového servera. ", "PE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.<br>Prosím, kontaktujte svojho správcu dokumentového servera. ",
"PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.",
"PE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.<br>Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.<br><br>Viac informácií o pripojení dokumentového servera nájdete <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">tu</a>", "PE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.<br>Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.<br><br>Viac informácií o pripojení dokumentového servera nájdete <a href=\"%1\" target=\"_blank\">tu</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Externá chyba.<br>Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ", "PE.Controllers.Main.errorDatabaseConnection": "Externá chyba.<br>Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ",
"PE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", "PE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.",
"PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", "PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1",
@ -337,7 +337,7 @@
"PE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.", "PE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.",
"PE.Controllers.Main.warnBrowserZoom": "Súčasné nastavenie priblíženia nie je plne podporované prehliadačom. Obnovte štandardné priblíženie stlačením klávesov Ctrl+0.", "PE.Controllers.Main.warnBrowserZoom": "Súčasné nastavenie priblíženia nie je plne podporované prehliadačom. Obnovte štandardné priblíženie stlačením klávesov Ctrl+0.",
"PE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.<br>Prosím, aktualizujte si svoju licenciu a obnovte stránku.", "PE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.<br>Prosím, aktualizujte si svoju licenciu a obnovte stránku.",
"PE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie ONLYOFFICE Editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. <br> Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.", "PE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie %1 editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. <br> Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
"PE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.", "PE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.",
"PE.Controllers.Statusbar.zoomText": "Priblíženie {0}%", "PE.Controllers.Statusbar.zoomText": "Priblíženie {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Písmo, ktoré chcete uložiť, nie je dostupné na aktuálnom zariadení.<br>Štýl textu sa zobrazí pomocou jedného zo systémových písiem, uložené písmo sa použije, keď bude k dispozícii.<br>Chcete pokračovať?", "PE.Controllers.Toolbar.confirmAddFontName": "Písmo, ktoré chcete uložiť, nie je dostupné na aktuálnom zariadení.<br>Štýl textu sa zobrazí pomocou jedného zo systémových písiem, uložené písmo sa použije, keď bude k dispozícii.<br>Chcete pokračovať?",

View file

@ -152,7 +152,7 @@
"PE.Controllers.Main.errorAccessDeny": "Hakkınız olmayan bir eylem gerçekleştirmeye çalışıyorsunuz.<br>Lütfen Belge Sunucu yöneticinize başvurun.", "PE.Controllers.Main.errorAccessDeny": "Hakkınız olmayan bir eylem gerçekleştirmeye çalışıyorsunuz.<br>Lütfen Belge Sunucu yöneticinize başvurun.",
"PE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "PE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.",
"PE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.<br>When you click the 'OK' button, you will be prompted to download the document.<br><br>Find more information about connecting Document Server <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">here</a>", "PE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin. <br>'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.<br><br>Belge Sunucusuna bağlanma konusunda daha fazla bilgi için <a href=\"%1\" target=\"_blank\">buraya</a> tıklayın",
"PE.Controllers.Main.errorDatabaseConnection": "Harci hata. <br>Veri tabanı bağlantı hatası. Hata devam ederse lütfen destek ile iletişime geçin.", "PE.Controllers.Main.errorDatabaseConnection": "Harci hata. <br>Veri tabanı bağlantı hatası. Hata devam ederse lütfen destek ile iletişime geçin.",
"PE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", "PE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.",
"PE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1", "PE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1",
@ -301,7 +301,7 @@
"PE.Controllers.Main.warnBrowserIE9": "Uygulama IE9'da düşük yeteneklere sahip. IE10 yada daha yükseğini kullanınız", "PE.Controllers.Main.warnBrowserIE9": "Uygulama IE9'da düşük yeteneklere sahip. IE10 yada daha yükseğini kullanınız",
"PE.Controllers.Main.warnBrowserZoom": "Tarayıcınızın mevcut zum ayarı tam olarak desteklenmiyor. Ctrl+0'a basarak varsayılan zumu sıfırlayınız.", "PE.Controllers.Main.warnBrowserZoom": "Tarayıcınızın mevcut zum ayarı tam olarak desteklenmiyor. Ctrl+0'a basarak varsayılan zumu sıfırlayınız.",
"PE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu.<br>Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.", "PE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu.<br>Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.",
"PE.Controllers.Main.warnNoLicense": "ONLYOFFICE'ın açık kaynaklı bir sürümünü kullanıyorsunuz. Sürüm, belge sunucusuna eş zamanlı bağlantılar için sınırlamalar getiriyor (bir seferde 20 bağlantı).<br>Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.", "PE.Controllers.Main.warnNoLicense": "%1'ın açık kaynaklı bir sürümünü kullanıyorsunuz. Sürüm, belge sunucusuna eş zamanlı bağlantılar için sınırlamalar getiriyor (bir seferde 20 bağlantı).<br>Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.",
"PE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi", "PE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi",
"PE.Controllers.Statusbar.zoomText": "Zum {0}%", "PE.Controllers.Statusbar.zoomText": "Zum {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.<br>The text style will be displayed using one of the device fonts, the saved font will be used when it is available.<br>Do you want to continue?", "PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.<br>The text style will be displayed using one of the device fonts, the saved font will be used when it is available.<br>Do you want to continue?",

View file

@ -137,7 +137,7 @@
"PE.Controllers.Main.errorAccessDeny": "Ви намагаєтеся виконати дію, на яку у вас немає прав. <br> Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.", "PE.Controllers.Main.errorAccessDeny": "Ви намагаєтеся виконати дію, на яку у вас немає прав. <br> Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.",
"PE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "PE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.",
"PE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора. <br> Після натискання кнопки «ОК» вам буде запропоновано завантажити документ. <br> <br> Більше інформації про підключення сервера документів <a href = \"https: //api.onlyoffice.com/editors/callback \"target =\" _ blank \"> тут </ a>", "PE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.<br>Після натискання кнопки «ОК» вам буде запропоновано завантажити документ. <br><br>Більше інформації про підключення сервера документів <a href=\"%1\" target=\"_blank\">тут</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка. <br> Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки, якщо помилка не зникне.", "PE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка. <br> Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки, якщо помилка не зникне.",
"PE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "PE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.",
"PE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", "PE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ",
@ -273,7 +273,7 @@
"PE.Controllers.Main.warnBrowserIE9": "Програма має низькі можливості для IE9. Використовувати IE10 або вище", "PE.Controllers.Main.warnBrowserIE9": "Програма має низькі можливості для IE9. Використовувати IE10 або вище",
"PE.Controllers.Main.warnBrowserZoom": "Налаштування масштабу вашого браузера не підтримується повністю. Змініть стандартний масштаб, натиснувши Ctrl + 0.", "PE.Controllers.Main.warnBrowserZoom": "Налаштування масштабу вашого браузера не підтримується повністю. Змініть стандартний масштаб, натиснувши Ctrl + 0.",
"PE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. <br> Будь ласка, оновіть свою ліцензію та оновіть сторінку.", "PE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. <br> Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
"PE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). <br> Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.", "PE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). <br> Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"PE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.", "PE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"PE.Controllers.Statusbar.zoomText": "Збільшити {0}%", "PE.Controllers.Statusbar.zoomText": "Збільшити {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Шрифт, який ви збираєтеся зберегти, недоступний на поточному пристрої. <br> Текстовий стиль відображатиметься за допомогою одного з системних шрифтів, збережений шрифт буде використовуватися, коли він буде доступний. <br> Ви хочете продовжити ?", "PE.Controllers.Toolbar.confirmAddFontName": "Шрифт, який ви збираєтеся зберегти, недоступний на поточному пристрої. <br> Текстовий стиль відображатиметься за допомогою одного з системних шрифтів, збережений шрифт буде використовуватися, коли він буде доступний. <br> Ви хочете продовжити ?",

View file

@ -138,7 +138,7 @@
"PE.Controllers.Main.errorAccessDeny": "Bạn đang cố gắng thực hiện hành động mà bạn không có quyền.<br>Vui lòng liên hệ với quản trị viên Server Tài liệu của bạn.", "PE.Controllers.Main.errorAccessDeny": "Bạn đang cố gắng thực hiện hành động mà bạn không có quyền.<br>Vui lòng liên hệ với quản trị viên Server Tài liệu của bạn.",
"PE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "PE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "Mất kết nối server. Không thể chỉnh sửa tài liệu ngay lúc này.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Mất kết nối server. Không thể chỉnh sửa tài liệu ngay lúc này.",
"PE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.<br>Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.<br><br>Tìm thêm thông tin về kết nối Server Tài liệu <a href=\"https://api.onlyoffice.com/editors/callback\" target=\"_blank\">ở đây</a>", "PE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.<br>Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.<br><br>Tìm thêm thông tin về kết nối Server Tài liệu <a href=\"%1\" target=\"_blank\">ở đây</a>",
"PE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.<br>Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ trong trường hợp lỗi vẫn còn.", "PE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.<br>Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ trong trường hợp lỗi vẫn còn.",
"PE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.", "PE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.",
"PE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1", "PE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1",
@ -274,7 +274,7 @@
"PE.Controllers.Main.warnBrowserIE9": "Ứng dụng vận hành kém trên IE9. Sử dụng IE10 hoặc cao hơn", "PE.Controllers.Main.warnBrowserIE9": "Ứng dụng vận hành kém trên IE9. Sử dụng IE10 hoặc cao hơn",
"PE.Controllers.Main.warnBrowserZoom": "Hiện cài đặt thu phóng trình duyệt của bạn không được hỗ trợ đầy đủ. Vui lòng thiết lập lại chế độ thu phóng mặc định bằng cách nhấn Ctrl+0.", "PE.Controllers.Main.warnBrowserZoom": "Hiện cài đặt thu phóng trình duyệt của bạn không được hỗ trợ đầy đủ. Vui lòng thiết lập lại chế độ thu phóng mặc định bằng cách nhấn Ctrl+0.",
"PE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn.<br>Vui lòng cập nhật giấy phép và làm mới trang.", "PE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn.<br>Vui lòng cập nhật giấy phép và làm mới trang.",
"PE.Controllers.Main.warnNoLicense": "Bạn đang sử dụng phiên bản nguồn mở của ONLYOFFICE. Phiên bản có giới hạn các kết nối đồng thời với server tài liệu (20 kết nối cùng một lúc).<br>Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.", "PE.Controllers.Main.warnNoLicense": "Bạn đang sử dụng phiên bản nguồn mở của %1. Phiên bản có giới hạn các kết nối đồng thời với server tài liệu (20 kết nối cùng một lúc).<br>Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.",
"PE.Controllers.Main.warnProcessRightsChange": "Bạn đã bị từ chối quyền chỉnh sửa file này.", "PE.Controllers.Main.warnProcessRightsChange": "Bạn đã bị từ chối quyền chỉnh sửa file này.",
"PE.Controllers.Statusbar.zoomText": "Thu phóng {0}%", "PE.Controllers.Statusbar.zoomText": "Thu phóng {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Phông chữ bạn sẽ lưu không có sẵn trên thiết bị hiện tại.<br>Kiểu văn bản sẽ được hiển thị bằng một trong các phông chữ hệ thống, phông chữ đã lưu sẽ được sử dụng khi có sẵn.<br>Bạn có muốn tiếp tục?", "PE.Controllers.Toolbar.confirmAddFontName": "Phông chữ bạn sẽ lưu không có sẵn trên thiết bị hiện tại.<br>Kiểu văn bản sẽ được hiển thị bằng một trong các phông chữ hệ thống, phông chữ đã lưu sẽ được sử dụng khi có sẵn.<br>Bạn có muốn tiếp tục?",

View file

@ -249,7 +249,7 @@
"PE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.", "PE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.",
"PE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "PE.Controllers.Main.errorBadImageUrl": "图片地址不正确",
"PE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", "PE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑",
"PE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。<br>当你点击“OK”按钮,系统将提示您下载文档。<br><br>找到更多信息连接文件服务器<a href=\"https://api.onlyoffice.com/editors/callback\" target=\"平等\">在这里</>", "PE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。<br>当你点击“OK”按钮,系统将提示您下载文档。<br><br>找到更多信息连接文件服务器<a href=\"%1\" target=\"平等\">在这里</>",
"PE.Controllers.Main.errorDatabaseConnection": "外部错误。<br>数据库连接错误。如果错误仍然存​​在,请联系支持人员。", "PE.Controllers.Main.errorDatabaseConnection": "外部错误。<br>数据库连接错误。如果错误仍然存​​在,请联系支持人员。",
"PE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", "PE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。",
"PE.Controllers.Main.errorDataRange": "数据范围不正确", "PE.Controllers.Main.errorDataRange": "数据范围不正确",
@ -582,7 +582,7 @@
"PE.Controllers.Main.warnLicenseExp": "您的许可证已过期。<br>请更新您的许可证并刷新页面。", "PE.Controllers.Main.warnLicenseExp": "您的许可证已过期。<br>请更新您的许可证并刷新页面。",
"PE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。<br>请联系您的账户管理员了解详情。", "PE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。<br>请联系您的账户管理员了解详情。",
"PE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。<br>如果需要更多请考虑购买商业许可证。", "PE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。<br>如果需要更多请考虑购买商业许可证。",
"PE.Controllers.Main.warnNoLicenseUsers": "此版本的 ONLYOFFICE 编辑软件对并发用户数量有一定的限制。<br>如果需要更多,请考虑购买商用许可证。", "PE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。<br>如果需要更多,请考虑购买商用许可证。",
"PE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", "PE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"PE.Controllers.Statusbar.zoomText": "缩放%{0}", "PE.Controllers.Statusbar.zoomText": "缩放%{0}",
"PE.Controllers.Toolbar.confirmAddFontName": "您要保存的字体在当前设备上不可用。<br>使用其中一种系统字体显示文本样式,当可用时将使用保存的字体。<br>是否要继续?", "PE.Controllers.Toolbar.confirmAddFontName": "您要保存的字体在当前设备上不可用。<br>使用其中一种系统字体显示文本样式,当可用时将使用保存的字体。<br>是否要继续?",

View file

@ -71,6 +71,18 @@
vertical-align: middle; vertical-align: middle;
} }
} }
&.checked {
&:before {
display: none !important;
}
&, &:hover, &:focus {
background-color: @primary;
color: @dropdown-link-active-color;
span.color {
border-color: rgba(255,255,255,0.7);
}
}
}
} }
// menu zoom // menu zoom

View file

@ -181,7 +181,7 @@ require([
//Store Framework7 initialized instance for easy access //Store Framework7 initialized instance for easy access
window.uiApp = new Framework7({ window.uiApp = new Framework7({
// Default title for modals // Default title for modals
modalTitle: '{{MOBILE_MODAL_TITLE}}', modalTitle: '{{APP_TITLE_TEXT}}',
// If it is webapp, we can enable hash navigation: // If it is webapp, we can enable hash navigation:
// pushState: false, // pushState: false,

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