diff --git a/apps/documenteditor/main/app/view/FileMenu.js b/apps/documenteditor/main/app/view/FileMenu.js
index c2324e3a1..848179a9e 100644
--- a/apps/documenteditor/main/app/view/FileMenu.js
+++ b/apps/documenteditor/main/app/view/FileMenu.js
@@ -275,21 +275,20 @@ define([
if (!this.mode) return;
- 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.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.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.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.document.info.sharingSettings&&this.document.info.sharingSettings.length>0 ||
diff --git a/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js b/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js
index 6d311f1d6..243acbb1a 100644
--- a/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js
+++ b/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js
@@ -118,18 +118,10 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
{displayValue: this.textJustified, value: c_paragraphTextAlignment.JUSTIFIED}
];
- this._arrOutlinelevel = [
- {displayValue: this.textBodyText},
- {displayValue: this.textLevel + '1'},
- {displayValue: this.textLevel + '2'},
- {displayValue: this.textLevel + '3'},
- {displayValue: this.textLevel + '4'},
- {displayValue: this.textLevel + '5'},
- {displayValue: this.textLevel + '6'},
- {displayValue: this.textLevel + '7'},
- {displayValue: this.textLevel + '8'},
- {displayValue: this.textLevel + '9'}
- ];
+ 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 },
@@ -309,7 +301,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
style: 'width: 174px;',
menuStyle : 'min-width: 174px;'
});
- this.cmbOutlinelevel.setValue('');
+ this.cmbOutlinelevel.setValue(-1);
this.cmbOutlinelevel.on('selected', _.bind(this.onOutlinelevelSelect, this));
// Line & Page Breaks
@@ -898,6 +890,9 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
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._changedProps = new Asc.asc_CParagraphProperty();
@@ -1433,11 +1428,12 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
},
onOutlinelevelSelect: function(combo, record) {
-
+ if (this._changedProps) {
+ this._changedProps.put_OutlineLvl(record.value>-1 ? record.value: null);
+ }
},
textTitle: 'Paragraph - Advanced Settings',
- strIndentsFirstLine: 'First line',
strIndentsLeftText: 'Left',
strIndentsRightText: 'Right',
strParagraphIndents: 'Indents & Spacing',
@@ -1506,8 +1502,8 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem
textFirstLine: 'First line',
textHanging: 'Hanging',
textJustified: 'Justified',
- textBodyText: 'BodyText',
- textLevel: 'Level ',
+ textBodyText: 'Basic Text',
+ textLevel: 'Level',
strIndentsOutlinelevel: 'Outline level',
strIndent: 'Indents',
strSpacing: 'Spacing'
diff --git a/apps/documenteditor/main/app/view/Toolbar.js b/apps/documenteditor/main/app/view/Toolbar.js
index 6a1ee4caa..60c729e5b 100644
--- a/apps/documenteditor/main/app/view/Toolbar.js
+++ b/apps/documenteditor/main/app/view/Toolbar.js
@@ -2097,15 +2097,17 @@ define([
this.mnuColorSchema.addItem({
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);
},
diff --git a/apps/documenteditor/main/locale/bg.json b/apps/documenteditor/main/locale/bg.json
index 903e06308..07d62b2c7 100644
--- a/apps/documenteditor/main/locale/bg.json
+++ b/apps/documenteditor/main/locale/bg.json
@@ -659,8 +659,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. За повече информация се обърнете към администратора.",
"DE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. Моля, актуализирайте лиценза си и опреснете страницата.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. За повече информация се свържете с администратора си.",
- "DE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
- "DE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "DE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "DE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"DE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"DE.Controllers.Navigation.txtBeginning": "Начало на документа",
"DE.Controllers.Navigation.txtGotoBeginning": "Отидете в началото на документа",
diff --git a/apps/documenteditor/main/locale/cs.json b/apps/documenteditor/main/locale/cs.json
index 57a9eaecc..d6f6aecca 100644
--- a/apps/documenteditor/main/locale/cs.json
+++ b/apps/documenteditor/main/locale/cs.json
@@ -360,7 +360,7 @@
"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.warnLicenseExp": "Platnost vaší licence vypršela. 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). 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). 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.Statusbar.textHasChanges": "New changes have been tracked",
"DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled",
diff --git a/apps/documenteditor/main/locale/de.json b/apps/documenteditor/main/locale/de.json
index 549634b93..67c6cd4d3 100644
--- a/apps/documenteditor/main/locale/de.json
+++ b/apps/documenteditor/main/locale/de.json
@@ -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. Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"DE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen. 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. 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. 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. 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. 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. 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.Navigation.txtBeginning": "Anfang des Dokuments",
"DE.Controllers.Navigation.txtGotoBeginning": "Zum Anfang des Dokuments übergehnen",
diff --git a/apps/documenteditor/main/locale/en.json b/apps/documenteditor/main/locale/en.json
index 135c39df3..81107c503 100644
--- a/apps/documenteditor/main/locale/en.json
+++ b/apps/documenteditor/main/locale/en.json
@@ -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.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.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. 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.warnDownloadAs": "If you continue saving in this format all features except the text will be lost. 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. 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. 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.applyChangesTitleText": "Loading the Changes",
"DE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.",
@@ -1100,7 +1100,6 @@
"DE.Views.DocumentHolder.hyperlinkText": "Hyperlink",
"DE.Views.DocumentHolder.ignoreAllSpellText": "Ignore All",
"DE.Views.DocumentHolder.ignoreSpellText": "Ignore",
- "DE.Views.DocumentHolder.toDictionaryText": "Add to Dictionary",
"DE.Views.DocumentHolder.imageText": "Image Advanced Settings",
"DE.Views.DocumentHolder.insertColumnLeftText": "Column Left",
"DE.Views.DocumentHolder.insertColumnRightText": "Column Right",
@@ -1190,6 +1189,7 @@
"DE.Views.DocumentHolder.textUpdateTOC": "Refresh table of contents",
"DE.Views.DocumentHolder.textWrap": "Wrapping Style",
"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.txtAddFractionBar": "Add fraction bar",
"DE.Views.DocumentHolder.txtAddHor": "Add horizontal line",
@@ -1252,6 +1252,7 @@
"DE.Views.DocumentHolder.txtOverwriteCells": "Overwrite cells",
"DE.Views.DocumentHolder.txtPasteSourceFormat": "Keep source formatting",
"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.txtRemLimit": "Remove limit",
"DE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character",
@@ -1277,7 +1278,6 @@
"DE.Views.DocumentHolder.txtUngroup": "Ungroup",
"DE.Views.DocumentHolder.updateStyleText": "Update %1 style",
"DE.Views.DocumentHolder.vertAlignText": "Vertical Alignment",
- "DE.Views.DocumentHolder.txtPrintSelection": "Print Selection",
"DE.Views.DropcapSettingsAdvanced.cancelButtonText": "Cancel",
"DE.Views.DropcapSettingsAdvanced.okButtonText": "OK",
"DE.Views.DropcapSettingsAdvanced.strBorders": "Borders & Fill",
@@ -1406,9 +1406,11 @@
"DE.Views.FileMenuPanels.Settings.textAlignGuides": "Alignment Guides",
"DE.Views.FileMenuPanels.Settings.textAutoRecover": "Autorecover",
"DE.Views.FileMenuPanels.Settings.textAutoSave": "Autosave",
+ "DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibility",
"DE.Views.FileMenuPanels.Settings.textDisabled": "Disabled",
"DE.Views.FileMenuPanels.Settings.textForceSave": "Save to Server",
"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.txtCm": "Centimeter",
"DE.Views.FileMenuPanels.Settings.txtFitPage": "Fit to Page",
@@ -1423,8 +1425,6 @@
"DE.Views.FileMenuPanels.Settings.txtPt": "Point",
"DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Spell Checking",
"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.textBottomLeft": "Bottom left",
"DE.Views.HeaderFooterSettings.textBottomPage": "Bottom of Page",
@@ -1708,33 +1708,53 @@
"DE.Views.ParagraphSettingsAdvanced.strBorders": "Borders & Fill",
"DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Page break before",
"DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough",
+ "DE.Views.ParagraphSettingsAdvanced.strIndent": "Indents",
+ "del_DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line",
"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.strIndentsSpacingAfter": "After",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Before",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Special",
"DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Keep lines together",
"DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Keep with next",
"DE.Views.ParagraphSettingsAdvanced.strMargins": "Paddings",
"DE.Views.ParagraphSettingsAdvanced.strOrphan": "Orphan control",
"DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font",
"DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indents & Spacing",
+ "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Line & Page Breaks",
"DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Placement",
"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.strSubscript": "Subscript",
"DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript",
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabs",
"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.textBodyText": "Basic Text",
"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.textBorderWidth": "Border Size",
"DE.Views.ParagraphSettingsAdvanced.textBottom": "Bottom",
+ "DE.Views.ParagraphSettingsAdvanced.textCentered": "Centered",
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing",
"DE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab",
"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.textLeft": "Left",
+ "DE.Views.ParagraphSettingsAdvanced.textLevel": "Level",
"DE.Views.ParagraphSettingsAdvanced.textNewColor": "Add New Custom Color",
"DE.Views.ParagraphSettingsAdvanced.textNone": "None",
+ "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(none)",
"DE.Views.ParagraphSettingsAdvanced.textPosition": "Position",
"DE.Views.ParagraphSettingsAdvanced.textRemove": "Remove",
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All",
@@ -1755,27 +1775,8 @@
"DE.Views.ParagraphSettingsAdvanced.tipOuter": "Set outer border only",
"DE.Views.ParagraphSettingsAdvanced.tipRight": "Set right border only",
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Set top border only",
- "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "No borders",
- "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Line & Page Breaks",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Before",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "After",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Line Spacing",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
- "DE.Views.ParagraphSettingsAdvanced.textAuto": "Multiple",
- "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "At least",
- "DE.Views.ParagraphSettingsAdvanced.textExact": "Exactly",
- "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Don't add interval between paragraphs of the same style",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Special",
- "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(none)",
- "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "First line",
- "DE.Views.ParagraphSettingsAdvanced.textHanging": "Hanging",
- "DE.Views.ParagraphSettingsAdvanced.textCentered": "Centered",
- "DE.Views.ParagraphSettingsAdvanced.textJustified": "Justified",
- "DE.Views.ParagraphSettingsAdvanced.textBodyText": "BodyText",
- "DE.Views.ParagraphSettingsAdvanced.textLevel": "Level ",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Outline level",
- "DE.Views.ParagraphSettingsAdvanced.strIndent": "Indents",
- "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Spacing",
+ "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "No borders",
"DE.Views.RightMenu.txtChartSettings": "Chart settings",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Header and footer settings",
"DE.Views.RightMenu.txtImageSettings": "Image settings",
@@ -1791,6 +1792,7 @@
"DE.Views.ShapeSettings.strFill": "Fill",
"DE.Views.ShapeSettings.strForeground": "Foreground color",
"DE.Views.ShapeSettings.strPattern": "Pattern",
+ "DE.Views.ShapeSettings.strShadow": "Show shadow",
"DE.Views.ShapeSettings.strSize": "Size",
"DE.Views.ShapeSettings.strStroke": "Stroke",
"DE.Views.ShapeSettings.strTransparency": "Opacity",
@@ -1842,7 +1844,6 @@
"DE.Views.ShapeSettings.txtTight": "Tight",
"DE.Views.ShapeSettings.txtTopAndBottom": "Top and bottom",
"DE.Views.ShapeSettings.txtWood": "Wood",
- "DE.Views.ShapeSettings.strShadow": "Show shadow",
"DE.Views.SignatureSettings.notcriticalErrorTitle": "Warning",
"DE.Views.SignatureSettings.strDelete": "Remove Signature",
"DE.Views.SignatureSettings.strDetails": "Signature Details",
diff --git a/apps/documenteditor/main/locale/fr.json b/apps/documenteditor/main/locale/fr.json
index 22ea86a8e..8836db53d 100644
--- a/apps/documenteditor/main/locale/fr.json
+++ b/apps/documenteditor/main/locale/fr.json
@@ -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. Veuillez contacter votre administrateur pour plus d'informations.",
"DE.Controllers.Main.warnLicenseExp": "Votre licence a expiré. 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. 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. 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. 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. 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. 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.Navigation.txtBeginning": "Début du document",
"DE.Controllers.Navigation.txtGotoBeginning": "Aller au début du document",
diff --git a/apps/documenteditor/main/locale/hu.json b/apps/documenteditor/main/locale/hu.json
index 8916ccaa8..79648d6e5 100644
--- a/apps/documenteditor/main/locale/hu.json
+++ b/apps/documenteditor/main/locale/hu.json
@@ -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. Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"DE.Controllers.Main.warnLicenseExp": "A licence lejárt. 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. 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. 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. 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. 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. 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.Navigation.txtBeginning": "Dokumentum eleje",
"DE.Controllers.Navigation.txtGotoBeginning": "Ugorj a dokumentum elejére",
diff --git a/apps/documenteditor/main/locale/it.json b/apps/documenteditor/main/locale/it.json
index 1f3d5d599..adba75904 100644
--- a/apps/documenteditor/main/locale/it.json
+++ b/apps/documenteditor/main/locale/it.json
@@ -662,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. Contattare l'amministratore per ulteriori informazioni.",
"DE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta. 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. 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. 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. 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. 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. 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.Navigation.txtBeginning": "Inizio del documento",
"DE.Controllers.Navigation.txtGotoBeginning": "Vai all'inizio del documento",
@@ -1189,6 +1189,7 @@
"DE.Views.DocumentHolder.textUpdateTOC": "Aggiorna Sommario",
"DE.Views.DocumentHolder.textWrap": "Stile di disposizione testo",
"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.txtAddFractionBar": "Aggiungi barra di frazione",
"DE.Views.DocumentHolder.txtAddHor": "Aggiungi linea orizzontale",
@@ -1251,6 +1252,7 @@
"DE.Views.DocumentHolder.txtOverwriteCells": "Sovrascrivi celle",
"DE.Views.DocumentHolder.txtPasteSourceFormat": "Mantieni la formattazione sorgente",
"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.txtRemLimit": "Remove limit",
"DE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character",
@@ -1706,34 +1708,53 @@
"DE.Views.ParagraphSettingsAdvanced.strBorders": "Bordi e riempimento",
"DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Anteponi interruzione",
"DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio",
+ "DE.Views.ParagraphSettingsAdvanced.strIndent": "Rientri",
"DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Prima riga",
"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.strIndentsSpacingAfter": "Dopo",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Prima",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Speciale",
"DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Mantieni assieme le righe",
"DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Mantieni con il successivo",
"DE.Views.ParagraphSettingsAdvanced.strMargins": "Spaziatura interna",
"DE.Views.ParagraphSettingsAdvanced.strOrphan": "Controllo righe isolate",
"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.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.strSubscript": "Pedice",
"DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Apice",
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulazione",
"DE.Views.ParagraphSettingsAdvanced.textAlign": "Allineamento",
+ "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Minima",
+ "DE.Views.ParagraphSettingsAdvanced.textAuto": "Multiplo",
"DE.Views.ParagraphSettingsAdvanced.textBackColor": "Colore sfondo",
+ "DE.Views.ParagraphSettingsAdvanced.textBodyText": "Corpo del testo",
"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.textBorderWidth": "Dimensioni bordo",
"DE.Views.ParagraphSettingsAdvanced.textBottom": "In basso",
+ "DE.Views.ParagraphSettingsAdvanced.textCentered": "Centrato",
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spaziatura caratteri",
"DE.Views.ParagraphSettingsAdvanced.textDefault": "Predefinita",
"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.textLeft": "A sinistra",
+ "DE.Views.ParagraphSettingsAdvanced.textLevel": "Livello",
"DE.Views.ParagraphSettingsAdvanced.textNewColor": "Colore personalizzato",
"DE.Views.ParagraphSettingsAdvanced.textNone": "Nessuno",
+ "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(nessuna)",
"DE.Views.ParagraphSettingsAdvanced.textPosition": "Posizione",
"DE.Views.ParagraphSettingsAdvanced.textRemove": "Elimina",
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Elimina tutto",
@@ -1754,6 +1775,7 @@
"DE.Views.ParagraphSettingsAdvanced.tipOuter": "Imposta solo bordi esterni",
"DE.Views.ParagraphSettingsAdvanced.tipRight": "Imposta solo bordo destro",
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Imposta solo bordo superiore",
+ "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Nessun bordo",
"DE.Views.RightMenu.txtChartSettings": "Impostazioni grafico",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Impostazioni intestazione e piè di pagina",
@@ -1770,6 +1792,7 @@
"DE.Views.ShapeSettings.strFill": "Riempimento",
"DE.Views.ShapeSettings.strForeground": "Colore primo piano",
"DE.Views.ShapeSettings.strPattern": "Modello",
+ "DE.Views.ShapeSettings.strShadow": "Mostra ombra",
"DE.Views.ShapeSettings.strSize": "Dimensione",
"DE.Views.ShapeSettings.strStroke": "Tratto",
"DE.Views.ShapeSettings.strTransparency": "Opacità",
diff --git a/apps/documenteditor/main/locale/ko.json b/apps/documenteditor/main/locale/ko.json
index 117a8939b..e0e631514 100644
--- a/apps/documenteditor/main/locale/ko.json
+++ b/apps/documenteditor/main/locale/ko.json
@@ -442,8 +442,8 @@
"DE.Controllers.Main.warnBrowserIE9": "응용 프로그램의 기능이 IE9에서 부족합니다. IE10 이상을 사용하십시오.",
"DE.Controllers.Main.warnBrowserZoom": "브라우저의 현재 확대 / 축소 설정이 완전히 지원되지 않습니다. Ctrl + 0을 눌러 기본 확대 / 축소로 재설정하십시오.",
"DE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
- "DE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
- "DE.Controllers.Main.warnNoLicenseUsers": "ONLYOFFICE 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.",
+ "DE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
+ "DE.Controllers.Main.warnNoLicenseUsers": "%1 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.",
"DE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"DE.Controllers.Navigation.txtBeginning": "문서의 시작",
"DE.Controllers.Navigation.txtGotoBeginning": "문서의 시작점으로 이동",
diff --git a/apps/documenteditor/main/locale/lv.json b/apps/documenteditor/main/locale/lv.json
index 1ab12c11b..7eaa4c94c 100644
--- a/apps/documenteditor/main/locale/lv.json
+++ b/apps/documenteditor/main/locale/lv.json
@@ -439,8 +439,8 @@
"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.warnLicenseExp": "Jūsu licencei ir beidzies termiņš. 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. 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. 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.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim. 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 %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību. 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.Navigation.txtBeginning": "Dokumenta sākums",
"DE.Controllers.Navigation.txtGotoBeginning": "Doties uz dokumenta sākumu",
diff --git a/apps/documenteditor/main/locale/nl.json b/apps/documenteditor/main/locale/nl.json
index e025582b0..5877b35b7 100644
--- a/apps/documenteditor/main/locale/nl.json
+++ b/apps/documenteditor/main/locale/nl.json
@@ -535,8 +535,8 @@
"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.warnLicenseExp": "Uw licentie is vervallen. Werk uw licentie bij en vernieuw de pagina.",
- "DE.Controllers.Main.warnNoLicense": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers. 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. 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. 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. 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.Navigation.txtBeginning": "Begin van het document",
"DE.Controllers.Navigation.txtGotoBeginning": "Ga naar het begin van het document",
diff --git a/apps/documenteditor/main/locale/pl.json b/apps/documenteditor/main/locale/pl.json
index 05b0371e7..a2dc3d868 100644
--- a/apps/documenteditor/main/locale/pl.json
+++ b/apps/documenteditor/main/locale/pl.json
@@ -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.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. 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.Navigation.txtBeginning": "Początek dokumentu",
"DE.Controllers.Statusbar.textHasChanges": "Nowe zmiany zostały śledzone",
diff --git a/apps/documenteditor/main/locale/pt.json b/apps/documenteditor/main/locale/pt.json
index b2d984ee4..e844f522e 100644
--- a/apps/documenteditor/main/locale/pt.json
+++ b/apps/documenteditor/main/locale/pt.json
@@ -406,8 +406,8 @@
"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.warnLicenseExp": "Sua licença expirou. 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). 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). 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). 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). 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.Navigation.txtBeginning": "Início do documento",
"DE.Controllers.Navigation.txtGotoBeginning": "Ir para o início do documento",
diff --git a/apps/documenteditor/main/locale/ru.json b/apps/documenteditor/main/locale/ru.json
index 3d2f931b0..3d8d69c36 100644
--- a/apps/documenteditor/main/locale/ru.json
+++ b/apps/documenteditor/main/locale/ru.json
@@ -326,6 +326,7 @@
"DE.Controllers.LeftMenu.textNoTextFound": "Искомые данные не найдены. Пожалуйста, измените параметры поиска.",
"DE.Controllers.LeftMenu.textReplaceSkipped": "Замена выполнена. Пропущено вхождений - {0}.",
"DE.Controllers.LeftMenu.textReplaceSuccess": "Поиск выполнен. Заменено вхождений: {0}",
+ "DE.Controllers.LeftMenu.txtCompatible": "Документ будет сохранен в новый формат. Это позволит использовать все функции редактора, но может повлиять на структуру документа. Используйте опцию 'Совместимость' в дополнительных параметрах, если хотите сделать файлы совместимыми с более старыми версиями MS Word.",
"DE.Controllers.LeftMenu.txtUntitled": "Без имени",
"DE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян. Вы действительно хотите продолжить?",
"DE.Controllers.LeftMenu.warnDownloadAsRTF": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна. Вы действительно хотите продолжить?",
@@ -1099,7 +1100,6 @@
"DE.Views.DocumentHolder.hyperlinkText": "Гиперссылка",
"DE.Views.DocumentHolder.ignoreAllSpellText": "Пропустить все",
"DE.Views.DocumentHolder.ignoreSpellText": "Пропустить",
- "DE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь",
"DE.Views.DocumentHolder.imageText": "Дополнительные параметры изображения",
"DE.Views.DocumentHolder.insertColumnLeftText": "Столбец слева",
"DE.Views.DocumentHolder.insertColumnRightText": "Столбец справа",
@@ -1189,6 +1189,7 @@
"DE.Views.DocumentHolder.textUpdateTOC": "Обновить оглавление",
"DE.Views.DocumentHolder.textWrap": "Стиль обтекания",
"DE.Views.DocumentHolder.tipIsLocked": "Этот элемент редактируется другим пользователем.",
+ "DE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь",
"DE.Views.DocumentHolder.txtAddBottom": "Добавить нижнюю границу",
"DE.Views.DocumentHolder.txtAddFractionBar": "Добавить дробную черту",
"DE.Views.DocumentHolder.txtAddHor": "Добавить горизонтальную линию",
@@ -1251,6 +1252,7 @@
"DE.Views.DocumentHolder.txtOverwriteCells": "Заменить содержимое ячеек",
"DE.Views.DocumentHolder.txtPasteSourceFormat": "Сохранить исходное форматирование",
"DE.Views.DocumentHolder.txtPressLink": "Нажмите CTRL и щелкните по ссылке",
+ "DE.Views.DocumentHolder.txtPrintSelection": "Напечатать выделенное",
"DE.Views.DocumentHolder.txtRemFractionBar": "Удалить дробную черту",
"DE.Views.DocumentHolder.txtRemLimit": "Удалить предел",
"DE.Views.DocumentHolder.txtRemoveAccentChar": "Удалить диакритический знак",
@@ -1276,7 +1278,6 @@
"DE.Views.DocumentHolder.txtUngroup": "Разгруппировать",
"DE.Views.DocumentHolder.updateStyleText": "Обновить стиль %1",
"DE.Views.DocumentHolder.vertAlignText": "Вертикальное выравнивание",
- "DE.Views.DocumentHolder.txtPrintSelection": "Напечатать выделенное",
"DE.Views.DropcapSettingsAdvanced.cancelButtonText": "Отмена",
"DE.Views.DropcapSettingsAdvanced.okButtonText": "ОК",
"DE.Views.DropcapSettingsAdvanced.strBorders": "Границы и заливка",
@@ -1405,9 +1406,11 @@
"DE.Views.FileMenuPanels.Settings.textAlignGuides": "Направляющие выравнивания",
"DE.Views.FileMenuPanels.Settings.textAutoRecover": "Автовосстановление",
"DE.Views.FileMenuPanels.Settings.textAutoSave": "Автосохранение",
+ "DE.Views.FileMenuPanels.Settings.textCompatible": "Совместимость",
"DE.Views.FileMenuPanels.Settings.textDisabled": "Отключено",
- "DE.Views.FileMenuPanels.Settings.textForceSave": "Сохранить на сервере",
+ "DE.Views.FileMenuPanels.Settings.textForceSave": "Сохранять на сервере",
"DE.Views.FileMenuPanels.Settings.textMinute": "Каждую минуту",
+ "DE.Views.FileMenuPanels.Settings.textOldVersions": "Сделать файлы совместимыми с более старыми версиями MS Word при сохранении как DOCX",
"DE.Views.FileMenuPanels.Settings.txtAll": "Все",
"DE.Views.FileMenuPanels.Settings.txtCm": "Сантиметр",
"DE.Views.FileMenuPanels.Settings.txtFitPage": "По размеру страницы",
@@ -1705,9 +1708,15 @@
"DE.Views.ParagraphSettingsAdvanced.strBorders": "Границы и заливка",
"DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "С новой страницы",
"DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Двойное зачёркивание",
+ "DE.Views.ParagraphSettingsAdvanced.strIndent": "Отступы",
"DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Первая строка",
"DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Слева",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Междустрочный интервал",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Уровень структуры",
"DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Справа",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "После",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Перед",
+ "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Первая строка",
"DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Не разрывать абзац",
"DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Не отрывать от следующего",
"DE.Views.ParagraphSettingsAdvanced.strMargins": "Внутренние поля",
@@ -1717,23 +1726,35 @@
"DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Положение на странице",
"DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Положение",
"DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Малые прописные",
+ "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Не добавлять интервал между абзацами одного стиля",
+ "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Интервал между абзацами",
"DE.Views.ParagraphSettingsAdvanced.strStrike": "Зачёркивание",
"DE.Views.ParagraphSettingsAdvanced.strSubscript": "Подстрочные",
"DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Надстрочные",
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Табуляция",
"DE.Views.ParagraphSettingsAdvanced.textAlign": "Выравнивание",
+ "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Минимум",
+ "DE.Views.ParagraphSettingsAdvanced.textAuto": "Множитель",
"DE.Views.ParagraphSettingsAdvanced.textBackColor": "Цвет фона",
+ "DE.Views.ParagraphSettingsAdvanced.textBodyText": "Основной текст",
"DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Цвет границ",
"DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Щелкайте по схеме или используйте кнопки, чтобы выбрать границы и применить к ним выбранный стиль",
"DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Ширина границ",
"DE.Views.ParagraphSettingsAdvanced.textBottom": "Снизу",
+ "DE.Views.ParagraphSettingsAdvanced.textCentered": "По центру",
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Межзнаковый интервал",
"DE.Views.ParagraphSettingsAdvanced.textDefault": "По умолчанию",
"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.textLeft": "Слева",
+ "DE.Views.ParagraphSettingsAdvanced.textLevel": "Уровень",
"DE.Views.ParagraphSettingsAdvanced.textNewColor": "Пользовательский цвет",
"DE.Views.ParagraphSettingsAdvanced.textNone": "Нет",
+ "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(нет)",
"DE.Views.ParagraphSettingsAdvanced.textPosition": "Положение",
"DE.Views.ParagraphSettingsAdvanced.textRemove": "Удалить",
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Удалить все",
@@ -1754,25 +1775,8 @@
"DE.Views.ParagraphSettingsAdvanced.tipOuter": "Задать только внешнюю границу",
"DE.Views.ParagraphSettingsAdvanced.tipRight": "Задать только правую границу",
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Задать только верхнюю границу",
- "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Без границ",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Перед",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "После",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Междустрочный интервал",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто",
- "DE.Views.ParagraphSettingsAdvanced.textAuto": "Множитель",
- "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Минимум",
- "DE.Views.ParagraphSettingsAdvanced.textExact": "Точно",
- "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Не добавлять интервал между абзацами одного стиля",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Первая строка",
- "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(нет)",
- "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Отступ",
- "DE.Views.ParagraphSettingsAdvanced.textHanging": "Выступ",
- "DE.Views.ParagraphSettingsAdvanced.textJustified": "По ширине",
- "DE.Views.ParagraphSettingsAdvanced.textBodyText": "Основной текст",
- "DE.Views.ParagraphSettingsAdvanced.textLevel": "Уровень ",
- "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Уровень",
- "DE.Views.ParagraphSettingsAdvanced.strIndent": "Отступы",
- "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Интервал между абзацами",
+ "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Без границ",
"DE.Views.RightMenu.txtChartSettings": "Параметры диаграммы",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Параметры верхнего и нижнего колонтитулов",
"DE.Views.RightMenu.txtImageSettings": "Параметры изображения",
@@ -1788,6 +1792,7 @@
"DE.Views.ShapeSettings.strFill": "Заливка",
"DE.Views.ShapeSettings.strForeground": "Цвет переднего плана",
"DE.Views.ShapeSettings.strPattern": "Узор",
+ "DE.Views.ShapeSettings.strShadow": "Отображать тень",
"DE.Views.ShapeSettings.strSize": "Толщина",
"DE.Views.ShapeSettings.strStroke": "Обводка",
"DE.Views.ShapeSettings.strTransparency": "Непрозрачность",
@@ -1839,7 +1844,6 @@
"DE.Views.ShapeSettings.txtTight": "По контуру",
"DE.Views.ShapeSettings.txtTopAndBottom": "Сверху и снизу",
"DE.Views.ShapeSettings.txtWood": "Дерево",
- "DE.Views.ShapeSettings.strShadow": "Отображать тень",
"DE.Views.SignatureSettings.notcriticalErrorTitle": "Внимание",
"DE.Views.SignatureSettings.strDelete": "Удалить подпись",
"DE.Views.SignatureSettings.strDetails": "Состав подписи",
diff --git a/apps/documenteditor/main/locale/sk.json b/apps/documenteditor/main/locale/sk.json
index d32e5151d..27fc20fe5 100644
--- a/apps/documenteditor/main/locale/sk.json
+++ b/apps/documenteditor/main/locale/sk.json
@@ -417,7 +417,7 @@
"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.warnLicenseExp": "Vaša licencia vypršala. 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. 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. 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.Statusbar.textHasChanges": "Boli sledované nové zmeny",
"DE.Controllers.Statusbar.textTrackChanges": "Dokument je otvorený so zapnutým režimom sledovania zmien.",
diff --git a/apps/documenteditor/main/locale/tr.json b/apps/documenteditor/main/locale/tr.json
index f79abc367..9c2b4754d 100644
--- a/apps/documenteditor/main/locale/tr.json
+++ b/apps/documenteditor/main/locale/tr.json
@@ -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.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. 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ı). 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ı). 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.Statusbar.textHasChanges": "New changes have been tracked",
"DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled",
diff --git a/apps/documenteditor/main/locale/uk.json b/apps/documenteditor/main/locale/uk.json
index d24db1884..fb64df8c9 100644
--- a/apps/documenteditor/main/locale/uk.json
+++ b/apps/documenteditor/main/locale/uk.json
@@ -356,7 +356,7 @@
"DE.Controllers.Main.warnBrowserIE9": "Програма має низькі можливості для IE9. Використовувати IE10 або вище",
"DE.Controllers.Main.warnBrowserZoom": "Налаштування масштабу вашого браузера не підтримується повністю. Змініть стандартний масштаб, натиснувши Ctrl + 0.",
"DE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
- "DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
+ "DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"DE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"DE.Controllers.Statusbar.textHasChanges": "Нові зміни були відстежені",
"DE.Controllers.Statusbar.textTrackChanges": "Документ відкривається за допомогою режиму відстеження змін",
diff --git a/apps/documenteditor/main/locale/vi.json b/apps/documenteditor/main/locale/vi.json
index 9567e87ce..e526d1e21 100644
--- a/apps/documenteditor/main/locale/vi.json
+++ b/apps/documenteditor/main/locale/vi.json
@@ -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.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. 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). 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). 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.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",
diff --git a/apps/documenteditor/main/locale/zh.json b/apps/documenteditor/main/locale/zh.json
index 1eaead97f..1f709890a 100644
--- a/apps/documenteditor/main/locale/zh.json
+++ b/apps/documenteditor/main/locale/zh.json
@@ -660,7 +660,7 @@
"DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。 请更新您的许可证并刷新页面。",
"DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。 请联系您的账户管理员了解详情。",
"DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。 如果需要更多请考虑购买商业许可证。",
- "DE.Controllers.Main.warnNoLicenseUsers": "此版本的 ONLYOFFICE 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
+ "DE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
"DE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"DE.Controllers.Navigation.txtBeginning": "文档开头",
"DE.Controllers.Navigation.txtGotoBeginning": "转到文档开头",
diff --git a/apps/documenteditor/main/resources/less/toolbar.less b/apps/documenteditor/main/resources/less/toolbar.less
index db0e1ab91..a0e59baba 100644
--- a/apps/documenteditor/main/resources/less/toolbar.less
+++ b/apps/documenteditor/main/resources/less/toolbar.less
@@ -84,6 +84,18 @@
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
.menu-pageposition {
diff --git a/apps/documenteditor/mobile/locale/bg.json b/apps/documenteditor/mobile/locale/bg.json
index 82565ed2d..ccded751e 100644
--- a/apps/documenteditor/mobile/locale/bg.json
+++ b/apps/documenteditor/mobile/locale/bg.json
@@ -162,8 +162,8 @@
"DE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. За повече информация се обърнете към администратора.",
"DE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. Моля, актуализирайте лиценза си и опреснете страницата.",
"DE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. За повече информация се свържете с администратора си.",
- "DE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
- "DE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "DE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "DE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"DE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"DE.Controllers.Search.textNoTextFound": "Текстът не е намерен",
"DE.Controllers.Search.textReplaceAll": "Замяна на всички",
diff --git a/apps/documenteditor/mobile/locale/cs.json b/apps/documenteditor/mobile/locale/cs.json
index 5d42d26ec..62fab64cf 100644
--- a/apps/documenteditor/mobile/locale/cs.json
+++ b/apps/documenteditor/mobile/locale/cs.json
@@ -151,7 +151,7 @@
"DE.Controllers.Main.uploadImageTitleText": "Nahrávání obrázku",
"DE.Controllers.Main.waitText": "Čekejte prosím ...",
"DE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela. 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). 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). 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.Search.textNoTextFound": "Text nebyl nalezen",
"DE.Controllers.Search.textReplaceAll": "Nahradit vše",
diff --git a/apps/documenteditor/mobile/locale/de.json b/apps/documenteditor/mobile/locale/de.json
index 5b9a960fe..d819e8528 100644
--- a/apps/documenteditor/mobile/locale/de.json
+++ b/apps/documenteditor/mobile/locale/de.json
@@ -162,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. Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"DE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen. 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. 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. 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. 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. 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. 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.Search.textNoTextFound": "Der Text wurde nicht gefunden.",
"DE.Controllers.Search.textReplaceAll": "Alle ersetzen",
diff --git a/apps/documenteditor/mobile/locale/en.json b/apps/documenteditor/mobile/locale/en.json
index abf1378c1..a288509a9 100644
--- a/apps/documenteditor/mobile/locale/en.json
+++ b/apps/documenteditor/mobile/locale/en.json
@@ -70,12 +70,12 @@
"Common.Views.Collaboration.textEditUsers": "Users",
"Common.Views.Collaboration.textFinal": "Final",
"Common.Views.Collaboration.textMarkup": "Markup",
+ "Common.Views.Collaboration.textNoComments": "This document doesn't contain comments",
"Common.Views.Collaboration.textOriginal": "Original",
"Common.Views.Collaboration.textRejectAllChanges": "Reject All Changes",
"Common.Views.Collaboration.textReview": "Track Changes",
"Common.Views.Collaboration.textReviewing": "Review",
"Common.Views.Collaboration.textСomments": "Сomments",
- "Common.Views.Collaboration.textNoComments": "This document doesn't contain comments",
"DE.Controllers.AddContainer.textImage": "Image",
"DE.Controllers.AddContainer.textOther": "Other",
"DE.Controllers.AddContainer.textShape": "Shape",
@@ -462,6 +462,7 @@
"DE.Views.Settings.textBack": "Back",
"DE.Views.Settings.textBottom": "Bottom",
"DE.Views.Settings.textCentimeter": "Centimeter",
+ "DE.Views.Settings.textCollaboration": "Collaboration",
"DE.Views.Settings.textColorSchemes": "Color Schemes",
"DE.Views.Settings.textComment": "Comment",
"DE.Views.Settings.textCommentingDisplay": "Commenting Display",
@@ -519,6 +520,5 @@
"DE.Views.Settings.textVersion": "Version",
"DE.Views.Settings.textWords": "Words",
"DE.Views.Settings.unknownText": "Unknown",
- "DE.Views.Settings.textCollaboration": "Collaboration",
"DE.Views.Toolbar.textBack": "Back"
}
\ No newline at end of file
diff --git a/apps/documenteditor/mobile/locale/es.json b/apps/documenteditor/mobile/locale/es.json
index 0ee558022..91efacb61 100644
--- a/apps/documenteditor/mobile/locale/es.json
+++ b/apps/documenteditor/mobile/locale/es.json
@@ -243,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. Por favor, contacte con su administrador para recibir más información.",
"DE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado. 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. 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. 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. 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. 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.Search.textNoTextFound": "Texto no es encontrado",
diff --git a/apps/documenteditor/mobile/locale/fr.json b/apps/documenteditor/mobile/locale/fr.json
index e1506f27c..a2d221d55 100644
--- a/apps/documenteditor/mobile/locale/fr.json
+++ b/apps/documenteditor/mobile/locale/fr.json
@@ -243,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. Veuillez contacter votre administrateur pour plus d'informations.",
"DE.Controllers.Main.warnLicenseExp": "Votre licence a expiré. 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. 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. 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. 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. 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. 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.Search.textNoTextFound": "Le texte est introuvable",
"DE.Controllers.Search.textReplaceAll": "Remplacer tout",
diff --git a/apps/documenteditor/mobile/locale/hu.json b/apps/documenteditor/mobile/locale/hu.json
index a2b0c248f..edb1c6a8d 100644
--- a/apps/documenteditor/mobile/locale/hu.json
+++ b/apps/documenteditor/mobile/locale/hu.json
@@ -161,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. Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"DE.Controllers.Main.warnLicenseExp": "A licence lejárt. 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. 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. 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. 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. 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. 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.Search.textNoTextFound": "A szöveg nem található",
"DE.Controllers.Search.textReplaceAll": "Mindent cserél",
diff --git a/apps/documenteditor/mobile/locale/it.json b/apps/documenteditor/mobile/locale/it.json
index 54c35705c..6b9168263 100644
--- a/apps/documenteditor/mobile/locale/it.json
+++ b/apps/documenteditor/mobile/locale/it.json
@@ -68,6 +68,7 @@
"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",
@@ -241,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. Contattare l'amministratore per ulteriori informazioni.",
"DE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta. 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. 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. 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. 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. 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. 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.Search.textNoTextFound": "Testo non trovato",
"DE.Controllers.Search.textReplaceAll": "Sostituisci tutto",
@@ -459,6 +460,7 @@
"DE.Views.Settings.textBack": "Indietro",
"DE.Views.Settings.textBottom": "In basso",
"DE.Views.Settings.textCentimeter": "Centimetro",
+ "DE.Views.Settings.textCollaboration": "Collaborazione",
"DE.Views.Settings.textColorSchemes": "Schemi di colore",
"DE.Views.Settings.textComment": "Commento",
"DE.Views.Settings.textCommentingDisplay": "Visualizzazione dei Commenti",
diff --git a/apps/documenteditor/mobile/locale/ko.json b/apps/documenteditor/mobile/locale/ko.json
index 9f2f0f6d4..c60cfa83e 100644
--- a/apps/documenteditor/mobile/locale/ko.json
+++ b/apps/documenteditor/mobile/locale/ko.json
@@ -155,8 +155,8 @@
"DE.Controllers.Main.uploadImageTextText": "이미지 업로드 중 ...",
"DE.Controllers.Main.uploadImageTitleText": "이미지 업로드 중",
"DE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
- "DE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
- "DE.Controllers.Main.warnNoLicenseUsers": "ONLYOFFICE 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.",
+ "DE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
+ "DE.Controllers.Main.warnNoLicenseUsers": "%1 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.",
"DE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"DE.Controllers.Search.textNoTextFound": "텍스트를 찾을 수 없습니다",
"DE.Controllers.Search.textReplaceAll": "모두 바꾸기",
diff --git a/apps/documenteditor/mobile/locale/lv.json b/apps/documenteditor/mobile/locale/lv.json
index 54997e1df..a10b532b5 100644
--- a/apps/documenteditor/mobile/locale/lv.json
+++ b/apps/documenteditor/mobile/locale/lv.json
@@ -148,8 +148,8 @@
"DE.Controllers.Main.uploadImageTextText": "Augšupielādē attēlu...",
"DE.Controllers.Main.uploadImageTitleText": "Augšuplādē attēlu",
"DE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš. 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. 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. 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.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim. 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 %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību. 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.Search.textNoTextFound": "Teksts nav atrasts",
"DE.Controllers.Search.textReplaceAll": "Aizvietot visus",
diff --git a/apps/documenteditor/mobile/locale/nl.json b/apps/documenteditor/mobile/locale/nl.json
index 6e9ee4e72..294b2e004 100644
--- a/apps/documenteditor/mobile/locale/nl.json
+++ b/apps/documenteditor/mobile/locale/nl.json
@@ -161,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. Neem contact op met de beheerder voor meer informatie.",
"DE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen. 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. 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. 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. 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. 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. 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.Search.textNoTextFound": "Tekst niet gevonden",
"DE.Controllers.Search.textReplaceAll": "Alles vervangen",
diff --git a/apps/documenteditor/mobile/locale/pl.json b/apps/documenteditor/mobile/locale/pl.json
index ec40e9768..cd25d5c3a 100644
--- a/apps/documenteditor/mobile/locale/pl.json
+++ b/apps/documenteditor/mobile/locale/pl.json
@@ -148,7 +148,7 @@
"DE.Controllers.Main.uploadImageTitleText": "Wysyłanie obrazu",
"DE.Controllers.Main.waitText": "Proszę czekać...",
"DE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła. 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.Search.textNoTextFound": "Nie znaleziono tekstu",
"DE.Controllers.Search.textReplaceAll": "Zamień wszystko",
diff --git a/apps/documenteditor/mobile/locale/pt.json b/apps/documenteditor/mobile/locale/pt.json
index 9733b2e5f..084f93a80 100644
--- a/apps/documenteditor/mobile/locale/pt.json
+++ b/apps/documenteditor/mobile/locale/pt.json
@@ -146,7 +146,7 @@
"DE.Controllers.Main.uploadImageTitleText": "Carregando imagem",
"DE.Controllers.Main.waitText": "Aguarde...",
"DE.Controllers.Main.warnLicenseExp": "Sua licença expirou. 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). 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). 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.Search.textNoTextFound": "Texto não encontrado",
"DE.Controllers.Search.textReplaceAll": "Substituir tudo",
diff --git a/apps/documenteditor/mobile/locale/ru.json b/apps/documenteditor/mobile/locale/ru.json
index 990c766eb..8bca5769f 100644
--- a/apps/documenteditor/mobile/locale/ru.json
+++ b/apps/documenteditor/mobile/locale/ru.json
@@ -70,6 +70,7 @@
"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": "Отслеживание изменений",
@@ -252,6 +253,7 @@
"DE.Controllers.Settings.txtLoading": "Загрузка...",
"DE.Controllers.Settings.unknownText": "Неизвестно",
"DE.Controllers.Settings.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян. Вы действительно хотите продолжить?",
+ "DE.Controllers.Settings.warnDownloadAsRTF": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна. Вы действительно хотите продолжить?",
"DE.Controllers.Toolbar.dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения документа. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.",
"DE.Controllers.Toolbar.dlgLeaveTitleText": "Вы выходите из приложения",
"DE.Controllers.Toolbar.leaveButtonText": "Уйти со страницы",
@@ -455,14 +457,21 @@
"DE.Views.Settings.textAbout": "О программе",
"DE.Views.Settings.textAddress": "адрес",
"DE.Views.Settings.textAdvancedSettings": "Настройки приложения",
+ "DE.Views.Settings.textApplication": "Приложение",
"DE.Views.Settings.textAuthor": "Автор",
"DE.Views.Settings.textBack": "Назад",
"DE.Views.Settings.textBottom": "Нижнее",
"DE.Views.Settings.textCentimeter": "Сантиметр",
+ "DE.Views.Settings.textCollaboration": "Совместная работа",
"DE.Views.Settings.textColorSchemes": "Цветовые схемы",
+ "DE.Views.Settings.textComment": "Комментарий",
+ "DE.Views.Settings.textCommentingDisplay": "Отображение комментариев",
+ "DE.Views.Settings.textCreated": "Создан",
"DE.Views.Settings.textCreateDate": "Дата создания",
"DE.Views.Settings.textCustom": "Особый",
"DE.Views.Settings.textCustomSize": "Особый размер",
+ "DE.Views.Settings.textDisplayComments": "Комментарии",
+ "DE.Views.Settings.textDisplayResolvedComments": "Решенные комментарии",
"DE.Views.Settings.textDocInfo": "Информация о документе",
"DE.Views.Settings.textDocTitle": "Название документа",
"DE.Views.Settings.textDocumentFormats": "Размеры страницы",
@@ -479,11 +488,15 @@
"DE.Views.Settings.textHiddenTableBorders": "Скрытые границы таблиц",
"DE.Views.Settings.textInch": "Дюйм",
"DE.Views.Settings.textLandscape": "Альбомная",
+ "DE.Views.Settings.textLastModified": "Последнее изменение",
+ "DE.Views.Settings.textLastModifiedBy": "Автор последнего изменения",
"DE.Views.Settings.textLeft": "Левое",
"DE.Views.Settings.textLoading": "Загрузка...",
+ "DE.Views.Settings.textLocation": "Размещение",
"DE.Views.Settings.textMargins": "Поля",
"DE.Views.Settings.textNoCharacters": "Непечатаемые символы",
"DE.Views.Settings.textOrientation": "Ориентация страницы",
+ "DE.Views.Settings.textOwner": "Владелец",
"DE.Views.Settings.textPages": "Страницы",
"DE.Views.Settings.textParagraphs": "Абзацы",
"DE.Views.Settings.textPoint": "Пункт",
@@ -497,13 +510,15 @@
"DE.Views.Settings.textSpaces": "Пробелы",
"DE.Views.Settings.textSpellcheck": "Проверка орфографии",
"DE.Views.Settings.textStatistic": "Статистика",
+ "DE.Views.Settings.textSubject": "Тема",
"DE.Views.Settings.textSymbols": "Символы",
"DE.Views.Settings.textTel": "Телефон",
+ "DE.Views.Settings.textTitle": "Название",
"DE.Views.Settings.textTop": "Верхнее",
"DE.Views.Settings.textUnitOfMeasurement": "Единица измерения",
+ "DE.Views.Settings.textUploaded": "Загружен",
"DE.Views.Settings.textVersion": "Версия",
"DE.Views.Settings.textWords": "Слова",
"DE.Views.Settings.unknownText": "Неизвестно",
- "DE.Views.Settings.textCollaboration": "Совместная работа",
"DE.Views.Toolbar.textBack": "Назад"
}
\ No newline at end of file
diff --git a/apps/documenteditor/mobile/locale/sk.json b/apps/documenteditor/mobile/locale/sk.json
index 979b84c38..8d93fd732 100644
--- a/apps/documenteditor/mobile/locale/sk.json
+++ b/apps/documenteditor/mobile/locale/sk.json
@@ -149,8 +149,8 @@
"DE.Controllers.Main.uploadImageTextText": "Nahrávanie obrázku...",
"DE.Controllers.Main.uploadImageTitleText": "Nahrávanie obrázku",
"DE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala. 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. 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. Ak potrebujete viac, zvážte aktualizáciu vašej aktuálnej licencie alebo kúpu 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. Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
+ "DE.Controllers.Main.warnNoLicenseUsers": "Táto verzia %1 editors má určité obmedzenia pre spolupracujúcich používateľov. 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.Search.textNoTextFound": "Text nebol nájdený",
"DE.Controllers.Search.textReplaceAll": "Nahradiť všetko",
diff --git a/apps/documenteditor/mobile/locale/tr.json b/apps/documenteditor/mobile/locale/tr.json
index a976d395d..59e56a7ed 100644
--- a/apps/documenteditor/mobile/locale/tr.json
+++ b/apps/documenteditor/mobile/locale/tr.json
@@ -145,7 +145,7 @@
"DE.Controllers.Main.uploadImageTextText": "Resim yükleniyor...",
"DE.Controllers.Main.uploadImageTitleText": "Resim Yükleniyor",
"DE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. 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ı). 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ı). 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.Search.textNoTextFound": "Metin Bulunamadı",
"DE.Controllers.Search.textReplaceAll": "Tümünü Değiştir",
diff --git a/apps/documenteditor/mobile/locale/uk.json b/apps/documenteditor/mobile/locale/uk.json
index 4fe345c7d..2a72880a8 100644
--- a/apps/documenteditor/mobile/locale/uk.json
+++ b/apps/documenteditor/mobile/locale/uk.json
@@ -145,7 +145,7 @@
"DE.Controllers.Main.uploadImageTextText": "Завантаження зображення...",
"DE.Controllers.Main.uploadImageTitleText": "Завантаження зображення",
"DE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
- "DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
+ "DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"DE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"DE.Controllers.Search.textNoTextFound": "Текст не знайдено",
"DE.Controllers.Search.textReplaceAll": "Замінити усе",
diff --git a/apps/documenteditor/mobile/locale/vi.json b/apps/documenteditor/mobile/locale/vi.json
index a63b6cb6d..a920abb73 100644
--- a/apps/documenteditor/mobile/locale/vi.json
+++ b/apps/documenteditor/mobile/locale/vi.json
@@ -145,7 +145,7 @@
"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.warnLicenseExp": "Giấy phép của bạn đã hết hạn. 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). 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). 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.Search.textNoTextFound": "Không tìm thấy nội dung",
"DE.Controllers.Search.textReplaceAll": "Thay thế tất cả",
diff --git a/apps/documenteditor/mobile/locale/zh.json b/apps/documenteditor/mobile/locale/zh.json
index 6d813d46d..792378228 100644
--- a/apps/documenteditor/mobile/locale/zh.json
+++ b/apps/documenteditor/mobile/locale/zh.json
@@ -163,7 +163,7 @@
"DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。 请更新您的许可证并刷新页面。",
"DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。 请联系您的账户管理员了解详情。",
"DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。 如果需要更多请考虑购买商业许可证。",
- "DE.Controllers.Main.warnNoLicenseUsers": "此版本的ONLYOFFICE编辑器对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
+ "DE.Controllers.Main.warnNoLicenseUsers": "此版本的%1编辑器对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
"DE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"DE.Controllers.Search.textNoTextFound": "文本没找到",
"DE.Controllers.Search.textReplaceAll": "全部替换",
diff --git a/apps/presentationeditor/main/app/controller/Toolbar.js b/apps/presentationeditor/main/app/controller/Toolbar.js
index 6c03379e5..80f0f3962 100644
--- a/apps/presentationeditor/main/app/controller/Toolbar.js
+++ b/apps/presentationeditor/main/app/controller/Toolbar.js
@@ -307,6 +307,7 @@ define([
toolbar.btnClearStyle.on('click', _.bind(this.onClearStyleClick, this));
toolbar.btnCopyStyle.on('toggle', _.bind(this.onCopyStyleToggle, 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.mnuInsertChartPicker.on('item:click', _.bind(this.onSelectChart, this));
toolbar.listTheme.on('click', _.bind(this.onListThemeSelect, this));
@@ -1531,6 +1532,14 @@ define([
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) {
if (item.value !== 'advanced') {
var portrait = (this.currentPageSize.height > this.currentPageSize.width);
diff --git a/apps/presentationeditor/main/app/view/FileMenu.js b/apps/presentationeditor/main/app/view/FileMenu.js
index 3a7fa0803..f76d34328 100644
--- a/apps/presentationeditor/main/app/view/FileMenu.js
+++ b/apps/presentationeditor/main/app/view/FileMenu.js
@@ -245,23 +245,21 @@ define([
},
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.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']();
+ 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.miNew[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.mode.sharingSettingsUrl&&this.mode.sharingSettingsUrl.length))?'show':'hide']();
diff --git a/apps/presentationeditor/main/app/view/ParagraphSettingsAdvanced.js b/apps/presentationeditor/main/app/view/ParagraphSettingsAdvanced.js
index b43273874..da55d09cc 100644
--- a/apps/presentationeditor/main/app/view/ParagraphSettingsAdvanced.js
+++ b/apps/presentationeditor/main/app/view/ParagraphSettingsAdvanced.js
@@ -772,7 +772,6 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced
},
textTitle: 'Paragraph - Advanced Settings',
- strIndentsFirstLine: 'First line',
strIndentsLeftText: 'Left',
strIndentsRightText: 'Right',
strParagraphIndents: 'Indents & Spacing',
diff --git a/apps/presentationeditor/main/app/view/Toolbar.js b/apps/presentationeditor/main/app/view/Toolbar.js
index 971984ba8..f17fedeee 100644
--- a/apps/presentationeditor/main/app/view/Toolbar.js
+++ b/apps/presentationeditor/main/app/view/Toolbar.js
@@ -103,7 +103,7 @@ define([
me.synchTooltip = undefined;
me.needShowSynchTip = false;
- me.schemeNames = [
+ me.SchemeNames = [
me.txtScheme1, me.txtScheme2, me.txtScheme3, me.txtScheme4, me.txtScheme5,
me.txtScheme6, me.txtScheme7, me.txtScheme8, me.txtScheme9, me.txtScheme10,
me.txtScheme11, me.txtScheme12, me.txtScheme13, me.txtScheme14, me.txtScheme15,
@@ -1318,15 +1318,17 @@ define([
mnuColorSchema.addItem({
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);
}
},
diff --git a/apps/presentationeditor/main/locale/bg.json b/apps/presentationeditor/main/locale/bg.json
index 287766346..b3c893869 100644
--- a/apps/presentationeditor/main/locale/bg.json
+++ b/apps/presentationeditor/main/locale/bg.json
@@ -581,8 +581,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превешен и документът ще бъде отворен само за преглед. За повече информация се обърнете към администратора.",
"PE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. Моля, актуализирайте лиценза си и опреснете страницата.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. За повече информация се свържете с администратора си.",
- "PE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
- "PE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "PE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "PE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"PE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"PE.Controllers.Statusbar.zoomText": "Мащаб {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Шрифтът, който ще запазите, не е наличен в текущото устройство. Стилът на текста ще се покаже с помощта на един от системните шрифтове, запазения шрифт, който се използва, когато е налице. Искате ли да продавате?",
diff --git a/apps/presentationeditor/main/locale/cs.json b/apps/presentationeditor/main/locale/cs.json
index 5826844a5..5fb4881ae 100644
--- a/apps/presentationeditor/main/locale/cs.json
+++ b/apps/presentationeditor/main/locale/cs.json
@@ -277,7 +277,7 @@
"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.warnLicenseExp": "Platnost vaší licence vypršela. 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). 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). 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.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í. Text bude zobrazen s jedním ze systémových písem, uložené písmo bude použito, jakmile bude dostupné. Chcete pokračovat?",
diff --git a/apps/presentationeditor/main/locale/de.json b/apps/presentationeditor/main/locale/de.json
index cb33b9c6a..7fe389d0a 100644
--- a/apps/presentationeditor/main/locale/de.json
+++ b/apps/presentationeditor/main/locale/de.json
@@ -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. Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"PE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen. 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. 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. 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. 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. 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. 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.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Die Schriftart, die Sie verwenden wollen, ist auf diesem Gerät nicht verfügbar. Der Textstil wird mit einer der Systemschriften angezeigt, die gespeicherte Schriftart wird verwendet, wenn sie verfügbar ist. Wollen Sie fortsetzen?",
diff --git a/apps/presentationeditor/main/locale/en.json b/apps/presentationeditor/main/locale/en.json
index e460426cc..d3b768c0b 100644
--- a/apps/presentationeditor/main/locale/en.json
+++ b/apps/presentationeditor/main/locale/en.json
@@ -977,7 +977,6 @@
"PE.Views.DocumentHolder.hyperlinkText": "Hyperlink",
"PE.Views.DocumentHolder.ignoreAllSpellText": "Ignore All",
"PE.Views.DocumentHolder.ignoreSpellText": "Ignore",
- "PE.Views.DocumentHolder.toDictionaryText": "Add to Dictionary",
"PE.Views.DocumentHolder.insertColumnLeftText": "Column Left",
"PE.Views.DocumentHolder.insertColumnRightText": "Column Right",
"PE.Views.DocumentHolder.insertColumnText": "Insert Column",
@@ -1031,6 +1030,7 @@
"PE.Views.DocumentHolder.textSlideSettings": "Slide Settings",
"PE.Views.DocumentHolder.textUndo": "Undo",
"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.txtAddFractionBar": "Add fraction bar",
"PE.Views.DocumentHolder.txtAddHor": "Add horizontal line",
@@ -1100,6 +1100,7 @@
"PE.Views.DocumentHolder.txtPasteSourceFormat": "Keep source formatting",
"PE.Views.DocumentHolder.txtPressLink": "Press CTRL and click link",
"PE.Views.DocumentHolder.txtPreview": "Start slideshow",
+ "PE.Views.DocumentHolder.txtPrintSelection": "Print Selection",
"PE.Views.DocumentHolder.txtRemFractionBar": "Remove fraction bar",
"PE.Views.DocumentHolder.txtRemLimit": "Remove limit",
"PE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character",
@@ -1123,7 +1124,6 @@
"PE.Views.DocumentHolder.txtUnderbar": "Bar under text",
"PE.Views.DocumentHolder.txtUngroup": "Ungroup",
"PE.Views.DocumentHolder.vertAlignText": "Vertical Alignment",
- "PE.Views.DocumentHolder.txtPrintSelection": "Print Selection",
"PE.Views.DocumentPreview.goToSlideText": "Go to Slide",
"PE.Views.DocumentPreview.slideIndexText": "Slide {0} of {1}",
"PE.Views.DocumentPreview.txtClose": "Close slideshow",
@@ -1231,6 +1231,7 @@
"PE.Views.HeaderFooterDialog.diffLanguage": "You can’t use a date format in a different language than the slide master. To change the master, click 'Apply to all' instead of 'Apply'",
"PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Warning",
"PE.Views.HeaderFooterDialog.textDateTime": "Date and time",
+ "PE.Views.HeaderFooterDialog.textFixed": "Fixed",
"PE.Views.HeaderFooterDialog.textFooter": "Text in footer",
"PE.Views.HeaderFooterDialog.textFormat": "Formats",
"PE.Views.HeaderFooterDialog.textLang": "Language",
@@ -1239,7 +1240,6 @@
"PE.Views.HeaderFooterDialog.textSlideNum": "Slide number",
"PE.Views.HeaderFooterDialog.textTitle": "Header/Footer Settings",
"PE.Views.HeaderFooterDialog.textUpdate": "Update automatically",
- "PE.Views.HeaderFooterDialog.textFixed": "Fixed",
"PE.Views.HyperlinkSettingsDialog.cancelButtonText": "Cancel",
"PE.Views.HyperlinkSettingsDialog.okButtonText": "OK",
"PE.Views.HyperlinkSettingsDialog.strDisplay": "Display",
@@ -1324,20 +1324,32 @@
"PE.Views.ParagraphSettingsAdvanced.okButtonText": "OK",
"PE.Views.ParagraphSettingsAdvanced.strAllCaps": "All caps",
"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.strIndentsLineSpacing": "Line Spacing",
"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.strParagraphIndents": "Indents & Spacing",
"PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Small caps",
+ "PE.Views.ParagraphSettingsAdvanced.strSpacing": "Spacing",
"PE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough",
"PE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript",
"PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript",
"PE.Views.ParagraphSettingsAdvanced.strTabs": "Tabs",
"PE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment",
+ "PE.Views.ParagraphSettingsAdvanced.textAuto": "Multiple",
"PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing",
"PE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab",
"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.textRemoveAll": "Remove All",
"PE.Views.ParagraphSettingsAdvanced.textSet": "Specify",
@@ -1346,19 +1358,7 @@
"PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position",
"PE.Views.ParagraphSettingsAdvanced.textTabRight": "Right",
"PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings",
- "PE.Views.ParagraphSettingsAdvanced.textJustified": "Justified",
- "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Special",
- "PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(none)",
- "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "First line",
- "PE.Views.ParagraphSettingsAdvanced.textHanging": "Hanging",
- "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Before",
- "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "After",
- "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Line Spacing",
"PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
- "PE.Views.ParagraphSettingsAdvanced.textAuto": "Multiple",
- "PE.Views.ParagraphSettingsAdvanced.textExact": "Exactly",
- "PE.Views.ParagraphSettingsAdvanced.strIndent": "Indents",
- "PE.Views.ParagraphSettingsAdvanced.strSpacing": "Spacing",
"PE.Views.RightMenu.txtChartSettings": "Chart settings",
"PE.Views.RightMenu.txtImageSettings": "Image settings",
"PE.Views.RightMenu.txtParagraphSettings": "Text settings",
@@ -1373,6 +1373,7 @@
"PE.Views.ShapeSettings.strFill": "Fill",
"PE.Views.ShapeSettings.strForeground": "Foreground color",
"PE.Views.ShapeSettings.strPattern": "Pattern",
+ "PE.Views.ShapeSettings.strShadow": "Show shadow",
"PE.Views.ShapeSettings.strSize": "Size",
"PE.Views.ShapeSettings.strStroke": "Stroke",
"PE.Views.ShapeSettings.strTransparency": "Opacity",
@@ -1416,7 +1417,6 @@
"PE.Views.ShapeSettings.txtNoBorders": "No Line",
"PE.Views.ShapeSettings.txtPapyrus": "Papyrus",
"PE.Views.ShapeSettings.txtWood": "Wood",
- "PE.Views.ShapeSettings.strShadow": "Show shadow",
"PE.Views.ShapeSettingsAdvanced.cancelButtonText": "Cancel",
"PE.Views.ShapeSettingsAdvanced.okButtonText": "OK",
"PE.Views.ShapeSettingsAdvanced.strColumns": "Columns",
@@ -1686,6 +1686,9 @@
"PE.Views.TextArtSettings.txtWood": "Wood",
"PE.Views.Toolbar.capAddSlide": "Add Slide",
"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.capInsertEquation": "Equation",
"PE.Views.Toolbar.capInsertHyperlink": "Hyperlink",
@@ -1756,7 +1759,9 @@
"PE.Views.Toolbar.tipColorSchemas": "Change color scheme",
"PE.Views.Toolbar.tipCopy": "Copy",
"PE.Views.Toolbar.tipCopyStyle": "Copy style",
+ "PE.Views.Toolbar.tipDateTime": "Insert current date and time",
"PE.Views.Toolbar.tipDecPrLeft": "Decrease indent",
+ "PE.Views.Toolbar.tipEditHeader": "Edit header or footer",
"PE.Views.Toolbar.tipFontColor": "Font color",
"PE.Views.Toolbar.tipFontName": "Font",
"PE.Views.Toolbar.tipFontSize": "Font size",
@@ -1781,6 +1786,7 @@
"PE.Views.Toolbar.tipSaveCoauth": "Save your changes for the other users to see them.",
"PE.Views.Toolbar.tipShapeAlign": "Align shape",
"PE.Views.Toolbar.tipShapeArrange": "Arrange shape",
+ "PE.Views.Toolbar.tipSlideNum": "Insert slide number",
"PE.Views.Toolbar.tipSlideSize": "Select slide size",
"PE.Views.Toolbar.tipSlideTheme": "Slide theme",
"PE.Views.Toolbar.tipUndo": "Undo",
@@ -1812,12 +1818,5 @@
"PE.Views.Toolbar.txtScheme8": "Flow",
"PE.Views.Toolbar.txtScheme9": "Foundry",
"PE.Views.Toolbar.txtSlideAlign": "Align to Slide",
- "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"
-
+ "PE.Views.Toolbar.txtUngroup": "Ungroup"
}
\ No newline at end of file
diff --git a/apps/presentationeditor/main/locale/es.json b/apps/presentationeditor/main/locale/es.json
index 6980c944e..ea293e503 100644
--- a/apps/presentationeditor/main/locale/es.json
+++ b/apps/presentationeditor/main/locale/es.json
@@ -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. Por favor, contacte con su administrador para recibir más información.",
"PE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado. 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. 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. 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. 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. 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.Statusbar.zoomText": "Zoom {0}%",
diff --git a/apps/presentationeditor/main/locale/fr.json b/apps/presentationeditor/main/locale/fr.json
index 5a852f6fd..71f901597 100644
--- a/apps/presentationeditor/main/locale/fr.json
+++ b/apps/presentationeditor/main/locale/fr.json
@@ -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. Veuillez contacter votre administrateur pour plus d'informations.",
"PE.Controllers.Main.warnLicenseExp": "Votre licence a expiré. 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. 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. 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. 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. 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. 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.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "La police que vous allez enregistrer n'est pas disponible sur l'appareil actuel. 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. Voulez-vous continuer?",
diff --git a/apps/presentationeditor/main/locale/hu.json b/apps/presentationeditor/main/locale/hu.json
index 0fc2f740d..18caef57f 100644
--- a/apps/presentationeditor/main/locale/hu.json
+++ b/apps/presentationeditor/main/locale/hu.json
@@ -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. Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"PE.Controllers.Main.warnLicenseExp": "A licence lejárt. 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. 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. 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. 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. 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. 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.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. A szövegstílus a rendszer egyik betűkészletével jelenik meg, a mentett betűtípust akkor használja, ha elérhető. Folytatni szeretné?",
diff --git a/apps/presentationeditor/main/locale/it.json b/apps/presentationeditor/main/locale/it.json
index ff8155594..6d09d27fc 100644
--- a/apps/presentationeditor/main/locale/it.json
+++ b/apps/presentationeditor/main/locale/it.json
@@ -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. Contattare l'amministratore per ulteriori informazioni.",
"PE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta. 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. 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. 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. 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. 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.Statusbar.zoomText": "Zoom {0}%",
@@ -1030,6 +1030,7 @@
"PE.Views.DocumentHolder.textSlideSettings": "Slide Settings",
"PE.Views.DocumentHolder.textUndo": "Annulla",
"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.txtAddFractionBar": "Aggiungi barra di frazione",
"PE.Views.DocumentHolder.txtAddHor": "Aggiungi linea orizzontale",
@@ -1099,6 +1100,7 @@
"PE.Views.DocumentHolder.txtPasteSourceFormat": "Mantieni la formattazione sorgente",
"PE.Views.DocumentHolder.txtPressLink": "Premi CTRL e clicca sul collegamento",
"PE.Views.DocumentHolder.txtPreview": "Avvia anteprima",
+ "PE.Views.DocumentHolder.txtPrintSelection": "Stampa Selezione",
"PE.Views.DocumentHolder.txtRemFractionBar": "Rimuovi la barra di frazione",
"PE.Views.DocumentHolder.txtRemLimit": "Rimuovi limite",
"PE.Views.DocumentHolder.txtRemoveAccentChar": "Rimuovi accento carattere",
@@ -1322,20 +1324,32 @@
"PE.Views.ParagraphSettingsAdvanced.okButtonText": "OK",
"PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Maiuscole",
"PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio",
+ "PE.Views.ParagraphSettingsAdvanced.strIndent": "Rientri",
"PE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Prima riga",
"PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "A sinistra",
+ "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Interlinea",
"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.strParagraphIndents": "Rientri e posizionamento",
+ "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Rientri e spaziatura",
"PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Maiuscoletto",
+ "PE.Views.ParagraphSettingsAdvanced.strSpacing": "Spaziatura",
"PE.Views.ParagraphSettingsAdvanced.strStrike": "Barrato",
"PE.Views.ParagraphSettingsAdvanced.strSubscript": "Pedice",
"PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Apice",
"PE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulazione",
"PE.Views.ParagraphSettingsAdvanced.textAlign": "Allineamento",
+ "PE.Views.ParagraphSettingsAdvanced.textAuto": "multiplo",
"PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spaziatura caratteri",
"PE.Views.ParagraphSettingsAdvanced.textDefault": "Predefinita",
"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.textRemoveAll": "Elimina tutto",
"PE.Views.ParagraphSettingsAdvanced.textSet": "Specifica",
@@ -1344,6 +1358,7 @@
"PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posizione",
"PE.Views.ParagraphSettingsAdvanced.textTabRight": "A destra",
"PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragrafo - Impostazioni avanzate",
+ "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"PE.Views.RightMenu.txtChartSettings": "Impostazioni grafico",
"PE.Views.RightMenu.txtImageSettings": "Impostazioni immagine",
"PE.Views.RightMenu.txtParagraphSettings": "Impostazioni testo",
@@ -1358,6 +1373,7 @@
"PE.Views.ShapeSettings.strFill": "Riempimento",
"PE.Views.ShapeSettings.strForeground": "Colore primo piano",
"PE.Views.ShapeSettings.strPattern": "Modello",
+ "PE.Views.ShapeSettings.strShadow": "Mostra ombra",
"PE.Views.ShapeSettings.strSize": "Dimensione",
"PE.Views.ShapeSettings.strStroke": "Tratto",
"PE.Views.ShapeSettings.strTransparency": "Opacità",
diff --git a/apps/presentationeditor/main/locale/ko.json b/apps/presentationeditor/main/locale/ko.json
index 714c90f7d..8273b552c 100644
--- a/apps/presentationeditor/main/locale/ko.json
+++ b/apps/presentationeditor/main/locale/ko.json
@@ -376,8 +376,8 @@
"PE.Controllers.Main.warnBrowserIE9": "응용 프로그램의 기능이 IE9에서 부족합니다. IE10 이상을 사용하십시오.",
"PE.Controllers.Main.warnBrowserZoom": "브라우저의 현재 확대 / 축소 설정이 완전히 지원되지 않습니다. Ctrl + 0을 눌러 기본 확대 / 축소로 재설정하십시오.",
"PE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
- "PE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
- "PE.Controllers.Main.warnNoLicenseUsers": "이 버전의 ONLYOFFICE 편집자에게는 동시 사용자에게 특정 제한 사항이 있습니다. 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
+ "PE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
+ "PE.Controllers.Main.warnNoLicenseUsers": "이 버전의 %1 편집자에게는 동시 사용자에게 특정 제한 사항이 있습니다. 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
"PE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"PE.Controllers.Statusbar.zoomText": "확대 / 축소 {0} %",
"PE.Controllers.Toolbar.confirmAddFontName": "저장하려는 글꼴을 현재 장치에서 사용할 수 없습니다. 시스템 글꼴 중 하나를 사용하여 텍스트 스타일을 표시하고 저장된 글꼴을 사용하면 글꼴이 사용됩니다 사용할 수 있습니다. 계속 하시겠습니까? ",
diff --git a/apps/presentationeditor/main/locale/lv.json b/apps/presentationeditor/main/locale/lv.json
index 607ba69c5..2408b271d 100644
--- a/apps/presentationeditor/main/locale/lv.json
+++ b/apps/presentationeditor/main/locale/lv.json
@@ -373,8 +373,8 @@
"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.warnLicenseExp": "Jūsu licencei ir beidzies termiņš. 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. 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. 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.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim. 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 %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību. 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.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device. The text style will be displayed using one of the system fonts, the saved font will be used when it is available. Do you want to continue?",
diff --git a/apps/presentationeditor/main/locale/nl.json b/apps/presentationeditor/main/locale/nl.json
index 6010cc2a3..ed95a2444 100644
--- a/apps/presentationeditor/main/locale/nl.json
+++ b/apps/presentationeditor/main/locale/nl.json
@@ -382,8 +382,8 @@
"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.warnLicenseExp": "Uw licentie is vervallen. Werk uw licentie bij en vernieuw de pagina.",
- "PE.Controllers.Main.warnNoLicense": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers. 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. 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. 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. 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.Statusbar.zoomText": "Zoomen {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Het lettertype dat u probeert op te slaan, is niet beschikbaar op het huidige apparaat. De tekststijl wordt weergegeven met een van de systeemlettertypen. Het opgeslagen lettertype wordt gebruikt wanneer het beschikbaar is. Wilt u doorgaan?",
diff --git a/apps/presentationeditor/main/locale/pl.json b/apps/presentationeditor/main/locale/pl.json
index 854f71361..51ab403ac 100644
--- a/apps/presentationeditor/main/locale/pl.json
+++ b/apps/presentationeditor/main/locale/pl.json
@@ -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.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. 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.Statusbar.zoomText": "Powiększenie {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Czcionka, którą zamierzasz zapisać, nie jest dostępna na bieżącym urządzeniu. 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. Czy chcesz kontynuować?",
diff --git a/apps/presentationeditor/main/locale/pt.json b/apps/presentationeditor/main/locale/pt.json
index 10c0d461c..cb30a54cf 100644
--- a/apps/presentationeditor/main/locale/pt.json
+++ b/apps/presentationeditor/main/locale/pt.json
@@ -274,7 +274,7 @@
"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.warnLicenseExp": "Sua licença expirou. 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). 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). 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.Statusbar.zoomText": "Zoom {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device. The text style will be displayed using one of the device fonts, the saved font will be used when it is available. Do you want to continue?",
diff --git a/apps/presentationeditor/main/locale/ru.json b/apps/presentationeditor/main/locale/ru.json
index b5e8dbd47..218409f78 100644
--- a/apps/presentationeditor/main/locale/ru.json
+++ b/apps/presentationeditor/main/locale/ru.json
@@ -977,7 +977,6 @@
"PE.Views.DocumentHolder.hyperlinkText": "Гиперссылка",
"PE.Views.DocumentHolder.ignoreAllSpellText": "Пропустить все",
"PE.Views.DocumentHolder.ignoreSpellText": "Пропустить",
- "PE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь",
"PE.Views.DocumentHolder.insertColumnLeftText": "Столбец слева",
"PE.Views.DocumentHolder.insertColumnRightText": "Столбец справа",
"PE.Views.DocumentHolder.insertColumnText": "Вставить столбец",
@@ -1031,6 +1030,7 @@
"PE.Views.DocumentHolder.textSlideSettings": "Параметры слайда",
"PE.Views.DocumentHolder.textUndo": "Отменить",
"PE.Views.DocumentHolder.tipIsLocked": "Этот элемент редактируется другим пользователем.",
+ "PE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь",
"PE.Views.DocumentHolder.txtAddBottom": "Добавить нижнюю границу",
"PE.Views.DocumentHolder.txtAddFractionBar": "Добавить дробную черту",
"PE.Views.DocumentHolder.txtAddHor": "Добавить горизонтальную линию",
@@ -1100,6 +1100,7 @@
"PE.Views.DocumentHolder.txtPasteSourceFormat": "Сохранить исходное форматирование",
"PE.Views.DocumentHolder.txtPressLink": "Нажмите клавишу CTRL и щелкните по ссылке",
"PE.Views.DocumentHolder.txtPreview": "Начать показ слайдов",
+ "PE.Views.DocumentHolder.txtPrintSelection": "Напечатать выделенное",
"PE.Views.DocumentHolder.txtRemFractionBar": "Удалить дробную черту",
"PE.Views.DocumentHolder.txtRemLimit": "Удалить предел",
"PE.Views.DocumentHolder.txtRemoveAccentChar": "Удалить диакритический знак",
@@ -1123,7 +1124,6 @@
"PE.Views.DocumentHolder.txtUnderbar": "Черта под текстом",
"PE.Views.DocumentHolder.txtUngroup": "Разгруппировать",
"PE.Views.DocumentHolder.vertAlignText": "Вертикальное выравнивание",
- "PE.Views.DocumentHolder.txtPrintSelection": "Напечатать выделенное",
"PE.Views.DocumentPreview.goToSlideText": "Перейти к слайду",
"PE.Views.DocumentPreview.slideIndexText": "Слайд {0} из {1}",
"PE.Views.DocumentPreview.txtClose": "Завершить показ слайдов",
@@ -1211,7 +1211,7 @@
"PE.Views.FileMenuPanels.Settings.textAutoRecover": "Автовосстановление",
"PE.Views.FileMenuPanels.Settings.textAutoSave": "Автосохранение",
"PE.Views.FileMenuPanels.Settings.textDisabled": "Отключено",
- "PE.Views.FileMenuPanels.Settings.textForceSave": "Сохранить на сервере",
+ "PE.Views.FileMenuPanels.Settings.textForceSave": "Сохранять на сервере",
"PE.Views.FileMenuPanels.Settings.textMinute": "Каждую минуту",
"PE.Views.FileMenuPanels.Settings.txtAll": "Все",
"PE.Views.FileMenuPanels.Settings.txtCm": "Сантиметр",
@@ -1231,6 +1231,7 @@
"PE.Views.HeaderFooterDialog.diffLanguage": "Формат даты должен использовать тот же язык, что и образец слайдов. Чтобы изменить образец, вместо кнопки 'Применить' нажмите кнопку 'Применить ко всем'",
"PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Внимание",
"PE.Views.HeaderFooterDialog.textDateTime": "Дата и время",
+ "PE.Views.HeaderFooterDialog.textFixed": "Фиксировано",
"PE.Views.HeaderFooterDialog.textFooter": "Текст в нижнем колонтитуле",
"PE.Views.HeaderFooterDialog.textFormat": "Форматы",
"PE.Views.HeaderFooterDialog.textLang": "Язык",
@@ -1239,7 +1240,6 @@
"PE.Views.HeaderFooterDialog.textSlideNum": "Номер слайда",
"PE.Views.HeaderFooterDialog.textTitle": "Параметры верхнего и нижнего колонтитулов",
"PE.Views.HeaderFooterDialog.textUpdate": "Обновлять автоматически",
- "PE.Views.HeaderFooterDialog.textFixed": "Фиксировано",
"PE.Views.HyperlinkSettingsDialog.cancelButtonText": "Отмена",
"PE.Views.HyperlinkSettingsDialog.okButtonText": "OK",
"PE.Views.HyperlinkSettingsDialog.strDisplay": "Отображать",
@@ -1324,20 +1324,32 @@
"PE.Views.ParagraphSettingsAdvanced.okButtonText": "ОК",
"PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Все прописные",
"PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Двойное зачёркивание",
+ "PE.Views.ParagraphSettingsAdvanced.strIndent": "Отступы",
"PE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Первая строка",
"PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Слева",
+ "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Междустрочный интервал",
"PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Справа",
+ "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "После",
+ "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Перед",
+ "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Первая строка",
"PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Шрифт",
"PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и интервалы",
"PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Малые прописные",
+ "PE.Views.ParagraphSettingsAdvanced.strSpacing": "Интервал между абзацами",
"PE.Views.ParagraphSettingsAdvanced.strStrike": "Зачёркивание",
"PE.Views.ParagraphSettingsAdvanced.strSubscript": "Подстрочные",
"PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Надстрочные",
"PE.Views.ParagraphSettingsAdvanced.strTabs": "Табуляция",
"PE.Views.ParagraphSettingsAdvanced.textAlign": "Выравнивание",
+ "PE.Views.ParagraphSettingsAdvanced.textAuto": "Множитель",
"PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Межзнаковый интервал",
"PE.Views.ParagraphSettingsAdvanced.textDefault": "По умолчанию",
"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.textRemoveAll": "Удалить все",
"PE.Views.ParagraphSettingsAdvanced.textSet": "Задать",
@@ -1346,19 +1358,7 @@
"PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Позиция",
"PE.Views.ParagraphSettingsAdvanced.textTabRight": "По правому краю",
"PE.Views.ParagraphSettingsAdvanced.textTitle": "Абзац - дополнительные параметры",
- "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Перед",
- "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "После",
- "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Междустрочный интервал",
- "PE.Views.ParagraphSettingsAdvanced.textAuto": "Множитель",
"PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто",
- "PE.Views.ParagraphSettingsAdvanced.textExact": "Точно",
- "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Первая строка",
- "PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(нет)",
- "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "Отступ",
- "PE.Views.ParagraphSettingsAdvanced.textHanging": "Выступ",
- "PE.Views.ParagraphSettingsAdvanced.textJustified": "По ширине",
- "PE.Views.ParagraphSettingsAdvanced.strIndent": "Отступы",
- "PE.Views.ParagraphSettingsAdvanced.strSpacing": "Интервал между абзацами",
"PE.Views.RightMenu.txtChartSettings": "Параметры диаграммы",
"PE.Views.RightMenu.txtImageSettings": "Параметры изображения",
"PE.Views.RightMenu.txtParagraphSettings": "Параметры текста",
@@ -1373,6 +1373,7 @@
"PE.Views.ShapeSettings.strFill": "Заливка",
"PE.Views.ShapeSettings.strForeground": "Цвет переднего плана",
"PE.Views.ShapeSettings.strPattern": "Узор",
+ "PE.Views.ShapeSettings.strShadow": "Отображать тень",
"PE.Views.ShapeSettings.strSize": "Толщина",
"PE.Views.ShapeSettings.strStroke": "Обводка",
"PE.Views.ShapeSettings.strTransparency": "Непрозрачность",
@@ -1416,7 +1417,6 @@
"PE.Views.ShapeSettings.txtNoBorders": "Без обводки",
"PE.Views.ShapeSettings.txtPapyrus": "Папирус",
"PE.Views.ShapeSettings.txtWood": "Дерево",
- "PE.Views.ShapeSettings.strShadow": "Отображать тень",
"PE.Views.ShapeSettingsAdvanced.cancelButtonText": "Отмена",
"PE.Views.ShapeSettingsAdvanced.okButtonText": "OK",
"PE.Views.ShapeSettingsAdvanced.strColumns": "Колонки",
@@ -1686,6 +1686,9 @@
"PE.Views.TextArtSettings.txtWood": "Дерево",
"PE.Views.Toolbar.capAddSlide": "Добавить слайд",
"PE.Views.Toolbar.capBtnComment": "Комментарий",
+ "PE.Views.Toolbar.capBtnDateTime": "Дата и время",
+ "PE.Views.Toolbar.capBtnInsHeader": "Колонтитулы",
+ "PE.Views.Toolbar.capBtnSlideNum": "Номер слайда",
"PE.Views.Toolbar.capInsertChart": "Диаграмма",
"PE.Views.Toolbar.capInsertEquation": "Уравнение",
"PE.Views.Toolbar.capInsertHyperlink": "Гиперссылка",
@@ -1756,7 +1759,9 @@
"PE.Views.Toolbar.tipColorSchemas": "Изменение цветовой схемы",
"PE.Views.Toolbar.tipCopy": "Копировать",
"PE.Views.Toolbar.tipCopyStyle": "Копировать стиль",
+ "PE.Views.Toolbar.tipDateTime": "Вставить текущую дату и время",
"PE.Views.Toolbar.tipDecPrLeft": "Уменьшить отступ",
+ "PE.Views.Toolbar.tipEditHeader": "Изменить колонтитулы",
"PE.Views.Toolbar.tipFontColor": "Цвет шрифта",
"PE.Views.Toolbar.tipFontName": "Шрифт",
"PE.Views.Toolbar.tipFontSize": "Размер шрифта",
@@ -1781,6 +1786,7 @@
"PE.Views.Toolbar.tipSaveCoauth": "Сохраните свои изменения, чтобы другие пользователи их увидели.",
"PE.Views.Toolbar.tipShapeAlign": "Выравнивание фигур",
"PE.Views.Toolbar.tipShapeArrange": "Порядок фигур",
+ "PE.Views.Toolbar.tipSlideNum": "Вставить номер слайда",
"PE.Views.Toolbar.tipSlideSize": "Выбор размеров слайда",
"PE.Views.Toolbar.tipSlideTheme": "Тема слайда",
"PE.Views.Toolbar.tipUndo": "Отменить",
@@ -1812,11 +1818,5 @@
"PE.Views.Toolbar.txtScheme8": "Поток",
"PE.Views.Toolbar.txtScheme9": "Литейная",
"PE.Views.Toolbar.txtSlideAlign": "Выровнять относительно слайда",
- "PE.Views.Toolbar.txtUngroup": "Разгруппировать",
- "PE.Views.Toolbar.tipEditHeader": "Изменить колонтитулы",
- "PE.Views.Toolbar.tipSlideNum": "Вставить номер слайда",
- "PE.Views.Toolbar.tipDateTime": "Вставить текущую дату и время",
- "PE.Views.Toolbar.capBtnInsHeader": "Колонтитулы",
- "PE.Views.Toolbar.capBtnSlideNum": "Номер слайда",
- "PE.Views.Toolbar.capBtnDateTime": "Дата и время"
+ "PE.Views.Toolbar.txtUngroup": "Разгруппировать"
}
\ No newline at end of file
diff --git a/apps/presentationeditor/main/locale/sk.json b/apps/presentationeditor/main/locale/sk.json
index bd6269815..2da9298ba 100644
--- a/apps/presentationeditor/main/locale/sk.json
+++ b/apps/presentationeditor/main/locale/sk.json
@@ -337,7 +337,7 @@
"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.warnLicenseExp": "Vaša licencia vypršala. 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. 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. 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.Statusbar.zoomText": "Priblíženie {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Písmo, ktoré chcete uložiť, nie je dostupné na aktuálnom zariadení. Š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. Chcete pokračovať?",
diff --git a/apps/presentationeditor/main/locale/tr.json b/apps/presentationeditor/main/locale/tr.json
index 6a668d1c4..05408e16f 100644
--- a/apps/presentationeditor/main/locale/tr.json
+++ b/apps/presentationeditor/main/locale/tr.json
@@ -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.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. 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ı). 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ı). 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.Statusbar.zoomText": "Zum {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device. The text style will be displayed using one of the device fonts, the saved font will be used when it is available. Do you want to continue?",
diff --git a/apps/presentationeditor/main/locale/uk.json b/apps/presentationeditor/main/locale/uk.json
index 3da7468cf..db734989a 100644
--- a/apps/presentationeditor/main/locale/uk.json
+++ b/apps/presentationeditor/main/locale/uk.json
@@ -273,7 +273,7 @@
"PE.Controllers.Main.warnBrowserIE9": "Програма має низькі можливості для IE9. Використовувати IE10 або вище",
"PE.Controllers.Main.warnBrowserZoom": "Налаштування масштабу вашого браузера не підтримується повністю. Змініть стандартний масштаб, натиснувши Ctrl + 0.",
"PE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
- "PE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
+ "PE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"PE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"PE.Controllers.Statusbar.zoomText": "Збільшити {0}%",
"PE.Controllers.Toolbar.confirmAddFontName": "Шрифт, який ви збираєтеся зберегти, недоступний на поточному пристрої. Текстовий стиль відображатиметься за допомогою одного з системних шрифтів, збережений шрифт буде використовуватися, коли він буде доступний. Ви хочете продовжити ?",
diff --git a/apps/presentationeditor/main/locale/vi.json b/apps/presentationeditor/main/locale/vi.json
index 4308c6011..5e275c58c 100644
--- a/apps/presentationeditor/main/locale/vi.json
+++ b/apps/presentationeditor/main/locale/vi.json
@@ -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.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. 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). 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). 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.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. 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. Bạn có muốn tiếp tục?",
diff --git a/apps/presentationeditor/main/locale/zh.json b/apps/presentationeditor/main/locale/zh.json
index 2bbda9f0c..a90296e7f 100644
--- a/apps/presentationeditor/main/locale/zh.json
+++ b/apps/presentationeditor/main/locale/zh.json
@@ -582,7 +582,7 @@
"PE.Controllers.Main.warnLicenseExp": "您的许可证已过期。 请更新您的许可证并刷新页面。",
"PE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。 请联系您的账户管理员了解详情。",
"PE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。 如果需要更多请考虑购买商业许可证。",
- "PE.Controllers.Main.warnNoLicenseUsers": "此版本的 ONLYOFFICE 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
+ "PE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
"PE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"PE.Controllers.Statusbar.zoomText": "缩放%{0}",
"PE.Controllers.Toolbar.confirmAddFontName": "您要保存的字体在当前设备上不可用。 使用其中一种系统字体显示文本样式,当可用时将使用保存的字体。 是否要继续?",
diff --git a/apps/presentationeditor/main/resources/less/toolbar.less b/apps/presentationeditor/main/resources/less/toolbar.less
index cf734ba8a..b75053b19 100644
--- a/apps/presentationeditor/main/resources/less/toolbar.less
+++ b/apps/presentationeditor/main/resources/less/toolbar.less
@@ -71,6 +71,18 @@
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
diff --git a/apps/presentationeditor/mobile/locale/bg.json b/apps/presentationeditor/mobile/locale/bg.json
index 3af53e755..40fe06b1b 100644
--- a/apps/presentationeditor/mobile/locale/bg.json
+++ b/apps/presentationeditor/mobile/locale/bg.json
@@ -214,8 +214,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. За повече информация се обърнете към администратора.",
"PE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. Моля, актуализирайте лиценза си и опреснете страницата.",
"PE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. За повече информация се свържете с администратора си.",
- "PE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
- "PE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "PE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "PE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"PE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"PE.Controllers.Search.textNoTextFound": "Текстът не е намерен",
"PE.Controllers.Search.textReplaceAll": "Замяна на всички",
diff --git a/apps/presentationeditor/mobile/locale/cs.json b/apps/presentationeditor/mobile/locale/cs.json
index 2d3501e74..409caac24 100644
--- a/apps/presentationeditor/mobile/locale/cs.json
+++ b/apps/presentationeditor/mobile/locale/cs.json
@@ -204,7 +204,7 @@
"PE.Controllers.Main.uploadImageTitleText": "Nahrávání obrázku",
"PE.Controllers.Main.waitText": "Čekejte prosím ...",
"PE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela. 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). 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). 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.Search.textNoTextFound": "Text nebyl nalezen",
"PE.Controllers.Search.textReplaceAll": "Nahradit vše",
diff --git a/apps/presentationeditor/mobile/locale/de.json b/apps/presentationeditor/mobile/locale/de.json
index b7f37f271..20052da6a 100644
--- a/apps/presentationeditor/mobile/locale/de.json
+++ b/apps/presentationeditor/mobile/locale/de.json
@@ -214,8 +214,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"PE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen. 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. 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. 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. 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. 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. 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.Search.textNoTextFound": "Der Text wurde nicht gefunden.",
"PE.Controllers.Search.textReplaceAll": "Alles ersetzen",
diff --git a/apps/presentationeditor/mobile/locale/en.json b/apps/presentationeditor/mobile/locale/en.json
index cfa81f935..d4d763049 100644
--- a/apps/presentationeditor/mobile/locale/en.json
+++ b/apps/presentationeditor/mobile/locale/en.json
@@ -7,8 +7,8 @@
"Common.Views.Collaboration.textBack": "Back",
"Common.Views.Collaboration.textCollaboration": "Collaboration",
"Common.Views.Collaboration.textEditUsers": "Users",
- "Common.Views.Collaboration.textСomments": "Сomments",
"Common.Views.Collaboration.textNoComments": "This presentation doesn't contain comments",
+ "Common.Views.Collaboration.textСomments": "Сomments",
"PE.Controllers.AddContainer.textImage": "Image",
"PE.Controllers.AddContainer.textLink": "Link",
"PE.Controllers.AddContainer.textShape": "Shape",
diff --git a/apps/presentationeditor/mobile/locale/es.json b/apps/presentationeditor/mobile/locale/es.json
index 88e4355ac..28cb524c0 100644
--- a/apps/presentationeditor/mobile/locale/es.json
+++ b/apps/presentationeditor/mobile/locale/es.json
@@ -219,7 +219,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. Por favor, contacte con su administrador para recibir más información.",
"PE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado. 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. Por favor, contacte con su administrador para recibir más información.",
- "PE.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. Si se requiere más, por favor, considere comprar una licencia comercial.",
+ "PE.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. 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. 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.Search.textNoTextFound": "Texto no es encontrado",
diff --git a/apps/presentationeditor/mobile/locale/fr.json b/apps/presentationeditor/mobile/locale/fr.json
index 8dc32af12..2abdc6e2c 100644
--- a/apps/presentationeditor/mobile/locale/fr.json
+++ b/apps/presentationeditor/mobile/locale/fr.json
@@ -219,8 +219,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées a été dépassée et le document sera ouvert en mode lecture seule. Veuillez contacter votre administrateur pour plus d'informations.",
"PE.Controllers.Main.warnLicenseExp": "Votre licence a expiré. 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. 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. 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. 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. 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. 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.Search.textNoTextFound": "Le texte est introuvable",
"PE.Controllers.Search.textReplaceAll": "Remplacer tout",
diff --git a/apps/presentationeditor/mobile/locale/hu.json b/apps/presentationeditor/mobile/locale/hu.json
index 678e76ecd..388bd6e9d 100644
--- a/apps/presentationeditor/mobile/locale/hu.json
+++ b/apps/presentationeditor/mobile/locale/hu.json
@@ -219,8 +219,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. Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"PE.Controllers.Main.warnLicenseExp": "A licence lejárt. 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. 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. 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. 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. 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. 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.Search.textNoTextFound": "A szöveg nem található",
"PE.Controllers.Search.textReplaceAll": "Mindent cserél",
diff --git a/apps/presentationeditor/mobile/locale/it.json b/apps/presentationeditor/mobile/locale/it.json
index 405b52b67..98fc2183b 100644
--- a/apps/presentationeditor/mobile/locale/it.json
+++ b/apps/presentationeditor/mobile/locale/it.json
@@ -7,6 +7,7 @@
"Common.Views.Collaboration.textBack": "Indietro",
"Common.Views.Collaboration.textCollaboration": "Collaborazione",
"Common.Views.Collaboration.textEditUsers": "Utenti",
+ "Common.Views.Collaboration.textNoComments": "Questa presentazione non contiene commenti",
"Common.Views.Collaboration.textСomments": "Сommenti",
"PE.Controllers.AddContainer.textImage": "Immagine",
"PE.Controllers.AddContainer.textLink": "Collegamento",
@@ -219,8 +220,8 @@
"PE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. Contattare l'amministratore per ulteriori informazioni.",
"PE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta. 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. 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. Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
- "PE.Controllers.Main.warnNoLicenseUsers": "Questa versione di ONLYOFFICE Editors presenta alcune limitazioni per gli utenti simultanei. 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.warnNoLicense": "Questa versione di %1 editors presenta delle limitazioni per le connessioni simultanee al server dei documenti. Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
+ "PE.Controllers.Main.warnNoLicenseUsers": "Questa versione di %1 editors presenta alcune limitazioni per gli utenti simultanei. 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": "Ti è stato negato il diritto di modificare il file.",
"PE.Controllers.Search.textNoTextFound": "Testo non trovato",
"PE.Controllers.Search.textReplaceAll": "Sostituisci tutto",
diff --git a/apps/presentationeditor/mobile/locale/ko.json b/apps/presentationeditor/mobile/locale/ko.json
index 28ef3fc09..882b7886f 100644
--- a/apps/presentationeditor/mobile/locale/ko.json
+++ b/apps/presentationeditor/mobile/locale/ko.json
@@ -202,8 +202,8 @@
"PE.Controllers.Main.uploadImageTextText": "이미지 업로드 중 ...",
"PE.Controllers.Main.uploadImageTitleText": "이미지 업로드 중",
"PE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
- "PE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
- "PE.Controllers.Main.warnNoLicenseUsers": "이 버전의 ONLYOFFICE 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
+ "PE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
+ "PE.Controllers.Main.warnNoLicenseUsers": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
"PE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"PE.Controllers.Search.textNoTextFound": "텍스트를 찾을 수 없습니다",
"PE.Controllers.Settings.notcriticalErrorTitle": "경고",
diff --git a/apps/presentationeditor/mobile/locale/lv.json b/apps/presentationeditor/mobile/locale/lv.json
index 7ac306d10..8d27ade85 100644
--- a/apps/presentationeditor/mobile/locale/lv.json
+++ b/apps/presentationeditor/mobile/locale/lv.json
@@ -202,8 +202,8 @@
"PE.Controllers.Main.uploadImageTextText": "Augšupielādē attēlu...",
"PE.Controllers.Main.uploadImageTitleText": "Augšupielādē attēlu",
"PE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš. 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. 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. 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.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim. 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 %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību. 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": "Jums ir liegtas tiesības šo failu rediģēt.",
"PE.Controllers.Search.textNoTextFound": "Teksts nav atrasts",
"PE.Controllers.Settings.notcriticalErrorTitle": "Brīdinājums",
diff --git a/apps/presentationeditor/mobile/locale/nl.json b/apps/presentationeditor/mobile/locale/nl.json
index 505b346f4..6ac50d6df 100644
--- a/apps/presentationeditor/mobile/locale/nl.json
+++ b/apps/presentationeditor/mobile/locale/nl.json
@@ -213,8 +213,8 @@
"PE.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. Neem contact op met de beheerder voor meer informatie.",
"PE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen. Werk uw licentie bij en vernieuw de pagina.",
"PE.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. Neem contact op met de beheerder voor meer informatie.",
- "PE.Controllers.Main.warnNoLicense": "U gebruikt een Open source-versie van ONLYOFFICE. In die versie geldt voor het aantal gelijktijdige verbindingen met de documentserver een limiet van 20 verbindingen. Als u er meer nodig hebt, kunt u overwegen een commerciële licentie aan te schaffen.",
- "PE.Controllers.Main.warnNoLicenseUsers": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
+ "PE.Controllers.Main.warnNoLicense": "U gebruikt een Open source-versie van %1. In die versie geldt voor het aantal gelijktijdige verbindingen met de documentserver een limiet van 20 verbindingen. Als u er meer nodig hebt, kunt u overwegen een commerciële licentie aan te schaffen.",
+ "PE.Controllers.Main.warnNoLicenseUsers": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers. 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.Search.textNoTextFound": "Tekst niet gevonden",
"PE.Controllers.Search.textReplaceAll": "Alles vervangen",
diff --git a/apps/presentationeditor/mobile/locale/pl.json b/apps/presentationeditor/mobile/locale/pl.json
index 41e14bad7..768cc623b 100644
--- a/apps/presentationeditor/mobile/locale/pl.json
+++ b/apps/presentationeditor/mobile/locale/pl.json
@@ -203,7 +203,7 @@
"PE.Controllers.Main.uploadImageTitleText": "Wysyłanie obrazu",
"PE.Controllers.Main.waitText": "Proszę czekać...",
"PE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła. 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.Search.textNoTextFound": "Nie znaleziono tekstu",
"PE.Controllers.Settings.notcriticalErrorTitle": "Ostrzeżenie",
diff --git a/apps/presentationeditor/mobile/locale/pt.json b/apps/presentationeditor/mobile/locale/pt.json
index 69ff11e64..6af3f87f1 100644
--- a/apps/presentationeditor/mobile/locale/pt.json
+++ b/apps/presentationeditor/mobile/locale/pt.json
@@ -203,7 +203,7 @@
"PE.Controllers.Main.uploadImageTitleText": "Carregando imagem",
"PE.Controllers.Main.waitText": "Aguarde...",
"PE.Controllers.Main.warnLicenseExp": "Sua licença expirou. 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). 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). 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.Search.textNoTextFound": "Texto não encontrado",
"PE.Controllers.Settings.notcriticalErrorTitle": "Aviso",
diff --git a/apps/presentationeditor/mobile/locale/ru.json b/apps/presentationeditor/mobile/locale/ru.json
index 3b05db951..b482373e3 100644
--- a/apps/presentationeditor/mobile/locale/ru.json
+++ b/apps/presentationeditor/mobile/locale/ru.json
@@ -7,6 +7,7 @@
"Common.Views.Collaboration.textBack": "Назад",
"Common.Views.Collaboration.textCollaboration": "Совместная работа",
"Common.Views.Collaboration.textEditUsers": "Пользователи",
+ "Common.Views.Collaboration.textNoComments": "Эта презентация не содержит комментариев",
"Common.Views.Collaboration.textСomments": "Комментарии",
"PE.Controllers.AddContainer.textImage": "Изображение",
"PE.Controllers.AddContainer.textLink": "Ссылка",
@@ -444,16 +445,19 @@
"PE.Views.Search.textFindAndReplace": "Поиск и замена",
"PE.Views.Search.textReplace": "Заменить",
"PE.Views.Search.textSearch": "Поиск",
+ "PE.Views.Settings. textComment": "Комментарий",
"PE.Views.Settings.mniSlideStandard": "Стандартный (4:3)",
"PE.Views.Settings.mniSlideWide": "Широкоэкранный (16:9)",
"PE.Views.Settings.textAbout": "О программе",
"PE.Views.Settings.textAddress": "адрес",
+ "PE.Views.Settings.textApplication": "Приложение",
"PE.Views.Settings.textApplicationSettings": "Настройки приложения",
"PE.Views.Settings.textAuthor": "Автор",
"PE.Views.Settings.textBack": "Назад",
"PE.Views.Settings.textCentimeter": "Сантиметр",
"PE.Views.Settings.textCollaboration": "Совместная работа",
"PE.Views.Settings.textColorSchemes": "Цветовые схемы",
+ "PE.Views.Settings.textCreated": "Создана",
"PE.Views.Settings.textCreateDate": "Дата создания",
"PE.Views.Settings.textDone": "Готово",
"PE.Views.Settings.textDownload": "Скачать",
@@ -464,7 +468,11 @@
"PE.Views.Settings.textFindAndReplace": "Поиск и замена",
"PE.Views.Settings.textHelp": "Справка",
"PE.Views.Settings.textInch": "Дюйм",
+ "PE.Views.Settings.textLastModified": "Последнее изменение",
+ "PE.Views.Settings.textLastModifiedBy": "Автор последнего изменения",
"PE.Views.Settings.textLoading": "Загрузка...",
+ "PE.Views.Settings.textLocation": "Размещение",
+ "PE.Views.Settings.textOwner": "Владелец",
"PE.Views.Settings.textPoint": "Пункт",
"PE.Views.Settings.textPoweredBy": "Разработано",
"PE.Views.Settings.textPresentInfo": "Информация о презентации",
@@ -475,8 +483,11 @@
"PE.Views.Settings.textSettings": "Настройки",
"PE.Views.Settings.textSlideSize": "Размер слайда",
"PE.Views.Settings.textSpellcheck": "Проверка орфографии",
+ "PE.Views.Settings.textSubject": "Тема",
"PE.Views.Settings.textTel": "Телефон",
+ "PE.Views.Settings.textTitle": "Название",
"PE.Views.Settings.textUnitOfMeasurement": "Единица измерения",
+ "PE.Views.Settings.textUploaded": "Загружена",
"PE.Views.Settings.textVersion": "Версия",
"PE.Views.Settings.unknownText": "Неизвестно",
"PE.Views.Toolbar.textBack": "Назад"
diff --git a/apps/presentationeditor/mobile/locale/sk.json b/apps/presentationeditor/mobile/locale/sk.json
index c1dff07ea..18bcdc6ff 100644
--- a/apps/presentationeditor/mobile/locale/sk.json
+++ b/apps/presentationeditor/mobile/locale/sk.json
@@ -203,8 +203,8 @@
"PE.Controllers.Main.uploadImageTextText": "Nahrávanie obrázku...",
"PE.Controllers.Main.uploadImageTitleText": "Nahrávanie obrázku",
"PE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala. 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. Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
- "PE.Controllers.Main.warnNoLicenseUsers": "Táto verzia ONLYOFFICE Editors má určité obmedzenia pre spolupracujúcich používateľov. Ak potrebujete viac, zvážte aktualizáciu vašej aktuálnej licencie alebo kúpu 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. Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
+ "PE.Controllers.Main.warnNoLicenseUsers": "Táto verzia %1 editors má určité obmedzenia pre spolupracujúcich používateľov. Ak potrebujete viac, zvážte aktualizáciu vašej aktuálnej licencie alebo kúpu komerčnej.",
"PE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.",
"PE.Controllers.Search.textNoTextFound": "Text nebol nájdený",
"PE.Controllers.Settings.notcriticalErrorTitle": "Upozornenie",
diff --git a/apps/presentationeditor/mobile/locale/tr.json b/apps/presentationeditor/mobile/locale/tr.json
index 2f9990dfa..dc9429e1e 100644
--- a/apps/presentationeditor/mobile/locale/tr.json
+++ b/apps/presentationeditor/mobile/locale/tr.json
@@ -203,7 +203,7 @@
"PE.Controllers.Main.uploadImageTextText": "Resim yükleniyor...",
"PE.Controllers.Main.uploadImageTitleText": "Resim Yükleniyor",
"PE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. 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ı). 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ı). 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.Search.textNoTextFound": "Metin Bulunamadı",
"PE.Controllers.Settings.notcriticalErrorTitle": "Uyarı",
diff --git a/apps/presentationeditor/mobile/locale/uk.json b/apps/presentationeditor/mobile/locale/uk.json
index 8cb3805b8..e06d22e46 100644
--- a/apps/presentationeditor/mobile/locale/uk.json
+++ b/apps/presentationeditor/mobile/locale/uk.json
@@ -202,7 +202,7 @@
"PE.Controllers.Main.uploadImageTextText": "Завантаження зображення...",
"PE.Controllers.Main.uploadImageTitleText": "Завантаження зображення",
"PE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
- "PE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
+ "PE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"PE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"PE.Controllers.Search.textNoTextFound": "Текст не знайдено",
"PE.Controllers.Settings.notcriticalErrorTitle": "Застереження",
diff --git a/apps/presentationeditor/mobile/locale/vi.json b/apps/presentationeditor/mobile/locale/vi.json
index e8798c29f..fba0b2a2f 100644
--- a/apps/presentationeditor/mobile/locale/vi.json
+++ b/apps/presentationeditor/mobile/locale/vi.json
@@ -202,7 +202,7 @@
"PE.Controllers.Main.uploadImageTextText": "Đang tải lên hình ảnh...",
"PE.Controllers.Main.uploadImageTitleText": "Đang tải lên hình ảnh",
"PE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn. 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). 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). 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.Search.textNoTextFound": "Không tìm thấy nội dung",
"PE.Controllers.Settings.notcriticalErrorTitle": "Cảnh báo",
diff --git a/apps/presentationeditor/mobile/locale/zh.json b/apps/presentationeditor/mobile/locale/zh.json
index 15798fc9d..80ee545ce 100644
--- a/apps/presentationeditor/mobile/locale/zh.json
+++ b/apps/presentationeditor/mobile/locale/zh.json
@@ -215,7 +215,7 @@
"PE.Controllers.Main.warnLicenseExp": "您的许可证已过期。 请更新您的许可证并刷新页面。",
"PE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。 请联系您的账户管理员了解详情。",
"PE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。 如果需要更多请考虑购买商业许可证。",
- "PE.Controllers.Main.warnNoLicenseUsers": "此版本的 ONLYOFFICE 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
+ "PE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
"PE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"PE.Controllers.Search.textNoTextFound": "文本没找到",
"PE.Controllers.Search.textReplaceAll": "全部替换",
diff --git a/apps/spreadsheeteditor/main/app/controller/Spellcheck.js b/apps/spreadsheeteditor/main/app/controller/Spellcheck.js
index 74f2efa60..4abcbbb8a 100644
--- a/apps/spreadsheeteditor/main/app/controller/Spellcheck.js
+++ b/apps/spreadsheeteditor/main/app/controller/Spellcheck.js
@@ -233,11 +233,12 @@ define([
this.panelSpellcheck.btnIgnore.setDisabled(!word || disabled);
this.panelSpellcheck.btnToDictionary.setDisabled(!word || disabled);
this.panelSpellcheck.lblComplete.toggleClass('hidden', !property || !!word);
+ this.panelSpellcheck.buttonNext.setDisabled(!this.panelSpellcheck.lblComplete.hasClass('hidden'));
},
onApiEditCell: function(state) {
if (state == Asc.c_oAscCellEditorState.editEnd) {
- this.panelSpellcheck.buttonNext.setDisabled(false);
+ this.panelSpellcheck.buttonNext.setDisabled(!this.panelSpellcheck.lblComplete.hasClass('hidden'));
this.panelSpellcheck.cmbDictionaryLanguage.setDisabled(false);
} else {
this.panelSpellcheck.buttonNext.setDisabled(true);
diff --git a/apps/spreadsheeteditor/main/app/controller/Toolbar.js b/apps/spreadsheeteditor/main/app/controller/Toolbar.js
index 56c1147db..6f2da378b 100644
--- a/apps/spreadsheeteditor/main/app/controller/Toolbar.js
+++ b/apps/spreadsheeteditor/main/app/controller/Toolbar.js
@@ -332,6 +332,7 @@ define([
toolbar.btnCopyStyle.on('toggle', _.bind(this.onCopyStyleToggle, this));
toolbar.btnDeleteCell.menu.on('item:click', _.bind(this.onCellDeleteMenu, this));
toolbar.btnColorSchemas.menu.on('item:click', _.bind(this.onColorSchemaClick, this));
+ toolbar.btnColorSchemas.menu.on('show:after', _.bind(this.onColorSchemaShow, this));
toolbar.cmbFontName.on('selected', _.bind(this.onFontNameSelect, this));
toolbar.cmbFontName.on('show:after', _.bind(this.onComboOpen, this, true));
toolbar.cmbFontName.on('hide:after', _.bind(this.onHideMenus, this));
@@ -1340,6 +1341,14 @@ define([
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();
+ }
+ },
+
onComboBlur: function() {
Common.NotificationCenter.trigger('edit:complete', this.toolbar);
},
@@ -3181,7 +3190,7 @@ define([
this.btnsComment = [];
if ( config.canCoAuthoring && config.canComments ) {
var _set = SSE.enumLock;
- this.btnsComment = Common.Utils.injectButtons(this.toolbar.$el.find('.slot-comment'), 'tlbtn-addcomment-', 'btn-menu-comments', this.toolbar.capBtnComment, [_set.lostConnect, _set.commentLock]);
+ this.btnsComment = Common.Utils.injectButtons(this.toolbar.$el.find('.slot-comment'), 'tlbtn-addcomment-', 'btn-menu-comments', this.toolbar.capBtnComment, [_set.lostConnect, _set.commentLock, _set.editCell]);
if ( this.btnsComment.length ) {
var _comments = SSE.getController('Common.Controllers.Comments').getView();
diff --git a/apps/spreadsheeteditor/main/app/view/FileMenu.js b/apps/spreadsheeteditor/main/app/view/FileMenu.js
index 722d725c1..1666b2ab4 100644
--- a/apps/spreadsheeteditor/main/app/view/FileMenu.js
+++ b/apps/spreadsheeteditor/main/app/view/FileMenu.js
@@ -234,22 +234,21 @@ define([
},
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.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']();
+ 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.miNew[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.mode.sharingSettingsUrl&&this.mode.sharingSettingsUrl.length))?'show':'hide']();
diff --git a/apps/spreadsheeteditor/main/app/view/ParagraphSettingsAdvanced.js b/apps/spreadsheeteditor/main/app/view/ParagraphSettingsAdvanced.js
index 228de3e9c..a92439417 100644
--- a/apps/spreadsheeteditor/main/app/view/ParagraphSettingsAdvanced.js
+++ b/apps/spreadsheeteditor/main/app/view/ParagraphSettingsAdvanced.js
@@ -775,7 +775,6 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced.
},
textTitle: 'Paragraph - Advanced Settings',
- strIndentsFirstLine: 'First line',
strIndentsLeftText: 'Left',
strIndentsRightText: 'Right',
strParagraphIndents: 'Indents & Spacing',
diff --git a/apps/spreadsheeteditor/main/app/view/Toolbar.js b/apps/spreadsheeteditor/main/app/view/Toolbar.js
index 14bfff2ee..79bdbd338 100644
--- a/apps/spreadsheeteditor/main/app/view/Toolbar.js
+++ b/apps/spreadsheeteditor/main/app/view/Toolbar.js
@@ -1951,15 +1951,17 @@ define([
this.mnuColorSchema.addItem({
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);
},
diff --git a/apps/spreadsheeteditor/main/locale/bg.json b/apps/spreadsheeteditor/main/locale/bg.json
index dce64e617..00095a744 100644
--- a/apps/spreadsheeteditor/main/locale/bg.json
+++ b/apps/spreadsheeteditor/main/locale/bg.json
@@ -720,8 +720,8 @@
"SSE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. За повече информация се обърнете към администратора.",
"SSE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. Моля, актуализирайте лиценза си и опреснете страницата.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. За повече информация се свържете с администратора си.",
- "SSE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "SSE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"SSE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"SSE.Controllers.Print.strAllSheets": "Всички листове",
"SSE.Controllers.Print.textWarning": "Внимание",
diff --git a/apps/spreadsheeteditor/main/locale/cs.json b/apps/spreadsheeteditor/main/locale/cs.json
index 09061a5c0..43433e9ae 100644
--- a/apps/spreadsheeteditor/main/locale/cs.json
+++ b/apps/spreadsheeteditor/main/locale/cs.json
@@ -392,7 +392,7 @@
"SSE.Controllers.Main.warnBrowserIE9": "Aplikace má slabou podporu v IE9. Použíjte IE10 nebo vyšší",
"SSE.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.",
"SSE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela. Prosím, aktualizujte vaší licenci a obnovte stránku.",
- "SSE.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). Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.",
+ "SSE.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). Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.",
"SSE.Controllers.Main.warnProcessRightsChange": "Bylo Vám odebráno právo upravovat tento soubor",
"SSE.Controllers.Print.strAllSheets": "Všechny listy",
"SSE.Controllers.Print.textWarning": "Varování",
diff --git a/apps/spreadsheeteditor/main/locale/de.json b/apps/spreadsheeteditor/main/locale/de.json
index c02873756..7381e20ff 100644
--- a/apps/spreadsheeteditor/main/locale/de.json
+++ b/apps/spreadsheeteditor/main/locale/de.json
@@ -733,8 +733,8 @@
"SSE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"SSE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen. Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Die Anzahl der gleichzeitigen Benutzer wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
- "SSE.Controllers.Main.warnNoLicense": "Diese Version von ONLYOFFICE Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver. Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Diese Version von ONLYOFFICE Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
+ "SSE.Controllers.Main.warnNoLicense": "Diese Version von %1 Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver. Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Diese Version von %1 Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
"SSE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.",
"SSE.Controllers.Print.strAllSheets": "Alle Blätter",
"SSE.Controllers.Print.textWarning": "Achtung",
diff --git a/apps/spreadsheeteditor/main/locale/en.json b/apps/spreadsheeteditor/main/locale/en.json
index 9de659f10..b644c07c0 100644
--- a/apps/spreadsheeteditor/main/locale/en.json
+++ b/apps/spreadsheeteditor/main/locale/en.json
@@ -427,6 +427,7 @@
"SSE.Controllers.Main.errorDatabaseConnection": "External error. Database connection error. Please contact support in case the error persists.",
"SSE.Controllers.Main.errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.",
"SSE.Controllers.Main.errorDataRange": "Incorrect data range.",
+ "SSE.Controllers.Main.errorDataValidate": "The value you entered is not valid. A user has restricted values that can be entered into this cell.",
"SSE.Controllers.Main.errorDefaultMessage": "Error code: %1",
"SSE.Controllers.Main.errorEditingDownloadas": "An error occurred during the work with the document. Use the 'Download as...' option to save the file backup copy to your computer hard drive.",
"SSE.Controllers.Main.errorEditingSaveas": "An error occurred during the work with the document. Use the 'Save as...' option to save the file backup copy to your computer hard drive.",
@@ -521,11 +522,18 @@
"SSE.Controllers.Main.txtButtons": "Buttons",
"SSE.Controllers.Main.txtCallouts": "Callouts",
"SSE.Controllers.Main.txtCharts": "Charts",
+ "SSE.Controllers.Main.txtConfidential": "Confidential",
+ "SSE.Controllers.Main.txtDate": "Date",
"SSE.Controllers.Main.txtDiagramTitle": "Chart Title",
"SSE.Controllers.Main.txtEditingMode": "Set editing mode...",
"SSE.Controllers.Main.txtFiguredArrows": "Figured Arrows",
+ "SSE.Controllers.Main.txtFile": "File",
"SSE.Controllers.Main.txtLines": "Lines",
"SSE.Controllers.Main.txtMath": "Math",
+ "SSE.Controllers.Main.txtPage": "Page",
+ "SSE.Controllers.Main.txtPageOf": "Page %1 of %2",
+ "SSE.Controllers.Main.txtPages": "Pages",
+ "SSE.Controllers.Main.txtPreparedBy": "Prepared by",
"SSE.Controllers.Main.txtPrintArea": "Print_Area",
"SSE.Controllers.Main.txtRectangles": "Rectangles",
"SSE.Controllers.Main.txtSeries": "Series",
@@ -722,7 +730,9 @@
"SSE.Controllers.Main.txtStyle_Title": "Title",
"SSE.Controllers.Main.txtStyle_Total": "Total",
"SSE.Controllers.Main.txtStyle_Warning_Text": "Warning Text",
+ "SSE.Controllers.Main.txtTab": "Tab",
"SSE.Controllers.Main.txtTable": "Table",
+ "SSE.Controllers.Main.txtTime": "Time",
"SSE.Controllers.Main.txtXAxis": "X Axis",
"SSE.Controllers.Main.txtYAxis": "Y Axis",
"SSE.Controllers.Main.unknownErrorText": "Unknown error.",
@@ -738,19 +748,9 @@
"SSE.Controllers.Main.warnLicenseExceeded": "The number of concurrent connections to the document server has been exceeded and the document will be opened for viewing only. Please contact your administrator for more information.",
"SSE.Controllers.Main.warnLicenseExp": "Your license has expired. Please update your license and refresh the page.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "The number of concurrent users has been exceeded and the document will be opened for viewing only. Please contact your administrator for more information.",
- "SSE.Controllers.Main.warnNoLicense": "This version of ONLYOFFICE Editors has certain limitations for concurrent connections to the document server. If you need more please consider purchasing a commercial license.",
+ "SSE.Controllers.Main.warnNoLicense": "This version of %1 editors has certain limitations for concurrent connections to the document server. If you need more please consider purchasing a commercial license.",
"SSE.Controllers.Main.warnNoLicenseUsers": "This version of %1 editors has certain limitations for concurrent users. If you need more please consider purchasing a commercial license.",
"SSE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.",
- "SSE.Controllers.Main.errorDataValidate": "The value you entered is not valid. A user has restricted values that can be entered into this cell.",
- "SSE.Controllers.Main.txtConfidential": "Confidential",
- "SSE.Controllers.Main.txtPreparedBy": "Prepared by",
- "SSE.Controllers.Main.txtPage": "Page",
- "SSE.Controllers.Main.txtPageOf": "Page %1 of %2",
- "SSE.Controllers.Main.txtPages": "Pages",
- "SSE.Controllers.Main.txtDate": "Date",
- "SSE.Controllers.Main.txtTime": "Time",
- "SSE.Controllers.Main.txtTab": "Tab",
- "SSE.Controllers.Main.txtFile": "File",
"SSE.Controllers.Print.strAllSheets": "All Sheets",
"SSE.Controllers.Print.textWarning": "Warning",
"SSE.Controllers.Print.txtCustom": "Custom",
@@ -1343,16 +1343,16 @@
"SSE.Views.DataTab.capBtnGroup": "Group",
"SSE.Views.DataTab.capBtnTextToCol": "Text to Columns",
"SSE.Views.DataTab.capBtnUngroup": "Ungroup",
+ "SSE.Views.DataTab.textBelow": "Summary rows below detail",
"SSE.Views.DataTab.textClear": "Clear outline",
"SSE.Views.DataTab.textColumns": "Ungroup columns",
+ "SSE.Views.DataTab.textGroupColumns": "Group columns",
+ "SSE.Views.DataTab.textGroupRows": "Group rows",
+ "SSE.Views.DataTab.textRightOf": "Summary columns to right of detail",
"SSE.Views.DataTab.textRows": "Ungroup rows",
"SSE.Views.DataTab.tipGroup": "Group range of cells",
"SSE.Views.DataTab.tipToColumns": "Separate cell text into columns",
"SSE.Views.DataTab.tipUngroup": "Ungroup range of cells",
- "SSE.Views.DataTab.textGroupRows": "Group rows",
- "SSE.Views.DataTab.textGroupColumns": "Group columns",
- "SSE.Views.DataTab.textBelow": "Summary rows below detail",
- "SSE.Views.DataTab.textRightOf": "Summary columns to right of detail",
"SSE.Views.DigitalFilterDialog.cancelButtonText": "Cancel",
"SSE.Views.DigitalFilterDialog.capAnd": "And",
"SSE.Views.DigitalFilterDialog.capCondition1": "equals",
@@ -1655,6 +1655,7 @@
"SSE.Views.HeaderFooterDialog.textInsert": "Insert",
"SSE.Views.HeaderFooterDialog.textItalic": "Italic",
"SSE.Views.HeaderFooterDialog.textLeft": "Left",
+ "SSE.Views.HeaderFooterDialog.textMaxError": "The text string you entered is too long. Reduce the number of characters used.",
"SSE.Views.HeaderFooterDialog.textNewColor": "Add New Custom Color",
"SSE.Views.HeaderFooterDialog.textOdd": "Odd page",
"SSE.Views.HeaderFooterDialog.textPageCount": "Page count",
@@ -1671,7 +1672,6 @@
"SSE.Views.HeaderFooterDialog.textUnderline": "Underline",
"SSE.Views.HeaderFooterDialog.tipFontName": "Font",
"SSE.Views.HeaderFooterDialog.tipFontSize": "Font size",
- "SSE.Views.HeaderFooterDialog.textMaxError": "The text string you entered is too long. Reduce the number of characters used.",
"SSE.Views.HyperlinkSettingsDialog.cancelButtonText": "Cancel",
"SSE.Views.HyperlinkSettingsDialog.strDisplay": "Display",
"SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Link to",
@@ -1727,10 +1727,10 @@
"SSE.Views.LeftMenu.tipFile": "File",
"SSE.Views.LeftMenu.tipPlugins": "Plugins",
"SSE.Views.LeftMenu.tipSearch": "Search",
+ "SSE.Views.LeftMenu.tipSpellcheck": "Spell checking",
"SSE.Views.LeftMenu.tipSupport": "Feedback & Support",
"SSE.Views.LeftMenu.txtDeveloper": "DEVELOPER MODE",
"SSE.Views.LeftMenu.txtTrial": "TRIAL MODE",
- "SSE.Views.LeftMenu.tipSpellcheck": "Spell checking",
"SSE.Views.MainSettingsPrint.okButtonText": "Save",
"SSE.Views.MainSettingsPrint.strBottom": "Bottom",
"SSE.Views.MainSettingsPrint.strLandscape": "Landscape",
@@ -1814,20 +1814,33 @@
"SSE.Views.ParagraphSettingsAdvanced.okButtonText": "OK",
"SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "All caps",
"SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndent": "Indents",
+ "del_SSE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line",
"SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Line Spacing",
"SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "After",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Before",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Special",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "By",
"SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font",
"SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indents & Spacing",
"SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Small caps",
+ "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Spacing",
"SSE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough",
"SSE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript",
"SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript",
"SSE.Views.ParagraphSettingsAdvanced.strTabs": "Tabs",
"SSE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment",
+ "SSE.Views.ParagraphSettingsAdvanced.textAuto": "Multiple",
"SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing",
"SSE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab",
"SSE.Views.ParagraphSettingsAdvanced.textEffects": "Effects",
+ "SSE.Views.ParagraphSettingsAdvanced.textExact": "Exactly",
+ "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "First line",
+ "SSE.Views.ParagraphSettingsAdvanced.textHanging": "Hanging",
+ "SSE.Views.ParagraphSettingsAdvanced.textJustified": "Justified",
+ "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(none)",
"SSE.Views.ParagraphSettingsAdvanced.textRemove": "Remove",
"SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All",
"SSE.Views.ParagraphSettingsAdvanced.textSet": "Specify",
@@ -1836,20 +1849,7 @@
"SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position",
"SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Right",
"SSE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings",
- "SSE.Views.ParagraphSettingsAdvanced.textJustified": "Justified",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Special",
- "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(none)",
- "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "First line",
- "SSE.Views.ParagraphSettingsAdvanced.textHanging": "Hanging",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "By",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Before",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "After",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Line Spacing",
"SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
- "SSE.Views.ParagraphSettingsAdvanced.textAuto": "Multiple",
- "SSE.Views.ParagraphSettingsAdvanced.textExact": "Exactly",
- "SSE.Views.ParagraphSettingsAdvanced.strIndent": "Indents",
- "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Spacing",
"SSE.Views.PivotSettings.notcriticalErrorTitle": "Warning",
"SSE.Views.PivotSettings.textAdvanced": "Show advanced settings",
"SSE.Views.PivotSettings.textCancel": "Cancel",
@@ -1959,6 +1959,7 @@
"SSE.Views.ShapeSettings.strFill": "Fill",
"SSE.Views.ShapeSettings.strForeground": "Foreground color",
"SSE.Views.ShapeSettings.strPattern": "Pattern",
+ "SSE.Views.ShapeSettings.strShadow": "Show shadow",
"SSE.Views.ShapeSettings.strSize": "Size",
"SSE.Views.ShapeSettings.strStroke": "Stroke",
"SSE.Views.ShapeSettings.strTransparency": "Opacity",
@@ -2003,7 +2004,6 @@
"SSE.Views.ShapeSettings.txtNoBorders": "No Line",
"SSE.Views.ShapeSettings.txtPapyrus": "Papyrus",
"SSE.Views.ShapeSettings.txtWood": "Wood",
- "SSE.Views.ShapeSettings.strShadow": "Show shadow",
"SSE.Views.ShapeSettingsAdvanced.cancelButtonText": "Cancel",
"SSE.Views.ShapeSettingsAdvanced.okButtonText": "OK",
"SSE.Views.ShapeSettingsAdvanced.strColumns": "Columns",
@@ -2057,6 +2057,16 @@
"SSE.Views.SignatureSettings.txtRequestedSignatures": "This spreadsheet needs to be signed.",
"SSE.Views.SignatureSettings.txtSigned": "Valid signatures has been added to the spreadsheet. The spreadsheet is protected from editing.",
"SSE.Views.SignatureSettings.txtSignedInvalid": "Some of the digital signatures in spreadsheet are invalid or could not be verified. The spreadsheet is protected from editing.",
+ "SSE.Views.Spellcheck.noSuggestions": "No spelling suggestions",
+ "SSE.Views.Spellcheck.textChange": "Change",
+ "SSE.Views.Spellcheck.textChangeAll": "Change All",
+ "SSE.Views.Spellcheck.textIgnore": "Ignore",
+ "SSE.Views.Spellcheck.textIgnoreAll": "Ignore All",
+ "SSE.Views.Spellcheck.txtAddToDictionary": "Add To Dictionary",
+ "SSE.Views.Spellcheck.txtComplete": "Spellcheck has been complete",
+ "SSE.Views.Spellcheck.txtDictionaryLanguage": "Dictionary Language",
+ "SSE.Views.Spellcheck.txtNextTip": "Go to the next word",
+ "SSE.Views.Spellcheck.txtSpelling": "Spelling",
"SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Copy to end)",
"SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Move to end)",
"SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Copy before sheet",
@@ -2419,15 +2429,5 @@
"SSE.Views.Top10FilterDialog.txtItems": "Item",
"SSE.Views.Top10FilterDialog.txtPercent": "Percent",
"SSE.Views.Top10FilterDialog.txtTitle": "Top 10 AutoFilter",
- "SSE.Views.Top10FilterDialog.txtTop": "Top",
- "SSE.Views.Spellcheck.txtSpelling": "Spelling",
- "SSE.Views.Spellcheck.noSuggestions": "No spelling suggestions",
- "SSE.Views.Spellcheck.textChange": "Change",
- "SSE.Views.Spellcheck.textChangeAll": "Change All",
- "SSE.Views.Spellcheck.textIgnore": "Ignore",
- "SSE.Views.Spellcheck.textIgnoreAll": "Ignore All",
- "SSE.Views.Spellcheck.txtAddToDictionary": "Add To Dictionary",
- "SSE.Views.Spellcheck.txtDictionaryLanguage": "Dictionary Language",
- "SSE.Views.Spellcheck.txtComplete": "Spellcheck has been complete",
- "SSE.Views.Spellcheck.txtNextTip": "Go to the next word"
+ "SSE.Views.Top10FilterDialog.txtTop": "Top"
}
\ No newline at end of file
diff --git a/apps/spreadsheeteditor/main/locale/es.json b/apps/spreadsheeteditor/main/locale/es.json
index 494fc02c7..7653b5a21 100644
--- a/apps/spreadsheeteditor/main/locale/es.json
+++ b/apps/spreadsheeteditor/main/locale/es.json
@@ -737,7 +737,7 @@
"SSE.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. Por favor, contacte con su administrador para recibir más información.",
"SSE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado. Por favor, actualice su licencia y después recargue la página.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Se ha excedido el número permitido de los usuarios simultáneos, y el documento se abrirá para sólo lectura. Por favor, contacte con su administrador para recibir más información.",
- "SSE.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. Si se requiere más, por favor, considere comprar una licencia comercial.",
+ "SSE.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. Si se requiere más, por favor, considere comprar una licencia comercial.",
"SSE.Controllers.Main.warnNoLicenseUsers": "Esta versión de editores %1 tiene ciertas limitaciones para usuarios simultáneos. Si necesita más, por favor, considere comprar una licencia comercial.",
"SSE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.",
"SSE.Controllers.Print.strAllSheets": "Todas las hojas",
diff --git a/apps/spreadsheeteditor/main/locale/fr.json b/apps/spreadsheeteditor/main/locale/fr.json
index 50f33bf12..247b4336f 100644
--- a/apps/spreadsheeteditor/main/locale/fr.json
+++ b/apps/spreadsheeteditor/main/locale/fr.json
@@ -735,8 +735,8 @@
"SSE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées a été dépassée et le document sera ouvert en mode lecture seule. Veuillez contacter votre administrateur pour plus d'informations.",
"SSE.Controllers.Main.warnLicenseExp": "Votre licence a expiré. Veuillez mettre à jour votre licence et actualisez la page.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Le nombre d'utilisateurs simultanés a été dépassé et le document sera ouvert en mode lecture seule. Veuillez contacter votre administrateur pour plus d'informations.",
- "SSE.Controllers.Main.warnNoLicense": "Cette version de ONLYOFFICE Editors a certaines limitations pour les connexions simultanées au serveur de documents. Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Cette version de ONLYOFFICE Editors a certaines limitations pour les utilisateurs simultanés. Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
+ "SSE.Controllers.Main.warnNoLicense": "Cette version de %1 Editors a certaines limitations pour les connexions simultanées au serveur de documents. Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Cette version de %1 editors a certaines limitations pour les utilisateurs simultanés. Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
"SSE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.",
"SSE.Controllers.Print.strAllSheets": "Toutes les feuilles",
"SSE.Controllers.Print.textWarning": "Avertissement",
diff --git a/apps/spreadsheeteditor/main/locale/hu.json b/apps/spreadsheeteditor/main/locale/hu.json
index c71ae1384..3b61d1ba9 100644
--- a/apps/spreadsheeteditor/main/locale/hu.json
+++ b/apps/spreadsheeteditor/main/locale/hu.json
@@ -658,8 +658,8 @@
"SSE.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. Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"SSE.Controllers.Main.warnLicenseExp": "A licence lejárt. Kérem frissítse a licencét, majd az oldalt.",
"SSE.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. Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
- "SSE.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. Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
- "SSE.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. Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
+ "SSE.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. Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
+ "SSE.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. Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
"SSE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.",
"SSE.Controllers.Print.strAllSheets": "Minden lap",
"SSE.Controllers.Print.textWarning": "Figyelmeztetés",
diff --git a/apps/spreadsheeteditor/main/locale/it.json b/apps/spreadsheeteditor/main/locale/it.json
index 3c8cad354..7eda6428c 100644
--- a/apps/spreadsheeteditor/main/locale/it.json
+++ b/apps/spreadsheeteditor/main/locale/it.json
@@ -522,11 +522,18 @@
"SSE.Controllers.Main.txtButtons": "Bottoni",
"SSE.Controllers.Main.txtCallouts": "Callout",
"SSE.Controllers.Main.txtCharts": "Grafici",
+ "SSE.Controllers.Main.txtConfidential": "Riservato",
+ "SSE.Controllers.Main.txtDate": "Data",
"SSE.Controllers.Main.txtDiagramTitle": "Titolo diagramma",
"SSE.Controllers.Main.txtEditingMode": "Impostazione modo di modifica...",
"SSE.Controllers.Main.txtFiguredArrows": "Frecce decorate",
+ "SSE.Controllers.Main.txtFile": "File",
"SSE.Controllers.Main.txtLines": "Linee",
"SSE.Controllers.Main.txtMath": "Matematica",
+ "SSE.Controllers.Main.txtPage": "Pagina",
+ "SSE.Controllers.Main.txtPageOf": "Pagina %1 di %2",
+ "SSE.Controllers.Main.txtPages": "Pagine",
+ "SSE.Controllers.Main.txtPreparedBy": "Preparato da",
"SSE.Controllers.Main.txtPrintArea": "Area di stampa",
"SSE.Controllers.Main.txtRectangles": "Rettangoli",
"SSE.Controllers.Main.txtSeries": "Serie",
@@ -723,7 +730,9 @@
"SSE.Controllers.Main.txtStyle_Title": "Titolo",
"SSE.Controllers.Main.txtStyle_Total": "Totale",
"SSE.Controllers.Main.txtStyle_Warning_Text": "Testo di Avviso",
+ "SSE.Controllers.Main.txtTab": "Tabulazione",
"SSE.Controllers.Main.txtTable": "Tabella",
+ "SSE.Controllers.Main.txtTime": "Ora",
"SSE.Controllers.Main.txtXAxis": "Asse X",
"SSE.Controllers.Main.txtYAxis": "Asse Y",
"SSE.Controllers.Main.unknownErrorText": "Errore sconosciuto.",
@@ -739,7 +748,7 @@
"SSE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. Contattare l'amministratore per ulteriori informazioni.",
"SSE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta. Si prega di aggiornare la licenza e ricaricare la pagina.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Il numero di utenti simultaei è stato superato e il documento verrà aperto solo per la visualizzazione. Per ulteriori informazioni, contattare l'amministratore.",
- "SSE.Controllers.Main.warnNoLicense": "Questa versione di ONLYOFFICE® Editors presenta delle limitazioni per le connessioni simultanee al server dei documenti. Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
+ "SSE.Controllers.Main.warnNoLicense": "Questa versione di %1 editors presenta delle limitazioni per le connessioni simultanee al server dei documenti. Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
"SSE.Controllers.Main.warnNoLicenseUsers": "Questa versione di %1 presenta alcune limitazioni per gli utenti simultanei. Se hai bisogno di più, ti preghiamo di considerare l'aggiornamento della tua licenza attuale o l'acquisto di una licenza commerciale.",
"SSE.Controllers.Main.warnProcessRightsChange": "Ci stato negato il diritto alla modifica del file.",
"SSE.Controllers.Print.strAllSheets": "Tutti i fogli",
@@ -1334,8 +1343,12 @@
"SSE.Views.DataTab.capBtnGroup": "Raggruppa",
"SSE.Views.DataTab.capBtnTextToCol": "Testo in colonne",
"SSE.Views.DataTab.capBtnUngroup": "Separa",
+ "SSE.Views.DataTab.textBelow": "Righe di riepilogo sotto i dettagli",
"SSE.Views.DataTab.textClear": "Elimina contorno",
"SSE.Views.DataTab.textColumns": "Separare le colonne",
+ "SSE.Views.DataTab.textGroupColumns": "Raggruppa colonne",
+ "SSE.Views.DataTab.textGroupRows": "Raggruppa righe",
+ "SSE.Views.DataTab.textRightOf": "Sommario colonne a destra di dettagli",
"SSE.Views.DataTab.textRows": "Separare le righe",
"SSE.Views.DataTab.tipGroup": "Raggruppa una gamma di celle",
"SSE.Views.DataTab.tipToColumns": "Separa il testo della cella in colonne",
@@ -1714,6 +1727,7 @@
"SSE.Views.LeftMenu.tipFile": "File",
"SSE.Views.LeftMenu.tipPlugins": "Plugin",
"SSE.Views.LeftMenu.tipSearch": "Ricerca",
+ "SSE.Views.LeftMenu.tipSpellcheck": "Controllo ortografia",
"SSE.Views.LeftMenu.tipSupport": "Feedback & Support",
"SSE.Views.LeftMenu.txtDeveloper": "MODALITÀ SVILUPPATORE",
"SSE.Views.LeftMenu.txtTrial": "Modalità di prova",
@@ -1800,20 +1814,33 @@
"SSE.Views.ParagraphSettingsAdvanced.okButtonText": "OK",
"SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "Maiuscole",
"SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndent": "Rientri",
"SSE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Prima riga",
"SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "A sinistra",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Interlinea",
"SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "A destra",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "dopo",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Prima",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Speciale",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "per",
"SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Tipo di carattere",
- "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Rientri e posizionamento",
+ "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Rientri e spaziatura",
"SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Maiuscoletto",
+ "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Spaziatura",
"SSE.Views.ParagraphSettingsAdvanced.strStrike": "Barrato",
"SSE.Views.ParagraphSettingsAdvanced.strSubscript": "Pedice",
"SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "Apice",
"SSE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulazione",
"SSE.Views.ParagraphSettingsAdvanced.textAlign": "Allineamento",
+ "SSE.Views.ParagraphSettingsAdvanced.textAuto": "multiplo",
"SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spaziatura caratteri",
"SSE.Views.ParagraphSettingsAdvanced.textDefault": "Predefinita",
"SSE.Views.ParagraphSettingsAdvanced.textEffects": "Effetti",
+ "SSE.Views.ParagraphSettingsAdvanced.textExact": "Esatto",
+ "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "Prima riga",
+ "SSE.Views.ParagraphSettingsAdvanced.textHanging": "Sospensione",
+ "SSE.Views.ParagraphSettingsAdvanced.textJustified": "Giustificato",
+ "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(nessuna)",
"SSE.Views.ParagraphSettingsAdvanced.textRemove": "Elimina",
"SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Elimina tutto",
"SSE.Views.ParagraphSettingsAdvanced.textSet": "Specifica",
@@ -1822,6 +1849,7 @@
"SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posizione",
"SSE.Views.ParagraphSettingsAdvanced.textTabRight": "A destra",
"SSE.Views.ParagraphSettingsAdvanced.textTitle": "Paragrafo - Impostazioni avanzate",
+ "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"SSE.Views.PivotSettings.notcriticalErrorTitle": "Avviso",
"SSE.Views.PivotSettings.textAdvanced": "Mostra impostazioni avanzate",
"SSE.Views.PivotSettings.textCancel": "Annulla",
@@ -1931,6 +1959,7 @@
"SSE.Views.ShapeSettings.strFill": "Riempimento",
"SSE.Views.ShapeSettings.strForeground": "Colore primo piano",
"SSE.Views.ShapeSettings.strPattern": "Modello",
+ "SSE.Views.ShapeSettings.strShadow": "Mostra ombra",
"SSE.Views.ShapeSettings.strSize": "Dimensione",
"SSE.Views.ShapeSettings.strStroke": "Tratto",
"SSE.Views.ShapeSettings.strTransparency": "Opacità",
@@ -2028,6 +2057,16 @@
"SSE.Views.SignatureSettings.txtRequestedSignatures": "Questo foglio di calcolo necessita di essere firmato.",
"SSE.Views.SignatureSettings.txtSigned": "Le firme valide sono state aggiunte al foglio di calcolo. Il foglio di calcolo è protetto dalla modifica.",
"SSE.Views.SignatureSettings.txtSignedInvalid": "Alcune delle firme digitali presenti nel foglio di calcolo non sono valide o non possono essere verificate. Il foglio di calcolo è protetto dalla modifica.",
+ "SSE.Views.Spellcheck.noSuggestions": "Nessun suggerimento ortografico",
+ "SSE.Views.Spellcheck.textChange": "Cambia",
+ "SSE.Views.Spellcheck.textChangeAll": "Cambia tutto",
+ "SSE.Views.Spellcheck.textIgnore": "Ignora",
+ "SSE.Views.Spellcheck.textIgnoreAll": "Ignora tutto",
+ "SSE.Views.Spellcheck.txtAddToDictionary": "Aggiungi al Dizionario",
+ "SSE.Views.Spellcheck.txtComplete": "il controllo ortografico è stato completato",
+ "SSE.Views.Spellcheck.txtDictionaryLanguage": "Lingua del dizionario",
+ "SSE.Views.Spellcheck.txtNextTip": "Vai alla prossima parola",
+ "SSE.Views.Spellcheck.txtSpelling": "Ortografia",
"SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Copia alla fine)",
"SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Sposta alla fine)",
"SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Copia prima del foglio",
diff --git a/apps/spreadsheeteditor/main/locale/ko.json b/apps/spreadsheeteditor/main/locale/ko.json
index d436dcc9a..4e9f7940b 100644
--- a/apps/spreadsheeteditor/main/locale/ko.json
+++ b/apps/spreadsheeteditor/main/locale/ko.json
@@ -491,8 +491,8 @@
"SSE.Controllers.Main.warnBrowserIE9": "응용 프로그램의 기능이 IE9에서 부족합니다. IE10 이상을 사용하십시오.",
"SSE.Controllers.Main.warnBrowserZoom": "브라우저의 현재 확대 / 축소 설정이 완전히 지원되지 않습니다. Ctrl + 0을 눌러 기본 확대 / 축소로 재설정하십시오.",
"SSE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
- "SSE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자에게는 문서 서버에 대한 동시 연결에 대한 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상용 소프트웨어를 구입하십시오.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "이 버전의 ONLYOFFICE 편집자에게는 동시 사용자에게 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
+ "SSE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자에게는 문서 서버에 대한 동시 연결에 대한 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상용 소프트웨어를 구입하십시오.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "이 버전의 %1 편집자에게는 동시 사용자에게 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
"SSE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"SSE.Controllers.Print.strAllSheets": "모든 시트",
"SSE.Controllers.Print.textWarning": "경고",
diff --git a/apps/spreadsheeteditor/main/locale/lv.json b/apps/spreadsheeteditor/main/locale/lv.json
index bd9768e2b..4262d0d8e 100644
--- a/apps/spreadsheeteditor/main/locale/lv.json
+++ b/apps/spreadsheeteditor/main/locale/lv.json
@@ -488,8 +488,8 @@
"SSE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher",
"SSE.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.",
"SSE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš. Lūdzu, atjauniniet savu licenci un pārlādējiet lapu.",
- "SSE.Controllers.Main.warnNoLicense": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim. 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.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību. Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.",
+ "SSE.Controllers.Main.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim. 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.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību. Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.",
"SSE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.",
"SSE.Controllers.Print.strAllSheets": "All Sheets",
"SSE.Controllers.Print.textWarning": "Warning",
diff --git a/apps/spreadsheeteditor/main/locale/nl.json b/apps/spreadsheeteditor/main/locale/nl.json
index 405035212..84a43f9c9 100644
--- a/apps/spreadsheeteditor/main/locale/nl.json
+++ b/apps/spreadsheeteditor/main/locale/nl.json
@@ -491,8 +491,8 @@
"SSE.Controllers.Main.warnBrowserIE9": "Met IE9 heeft de toepassing beperkte mogelijkheden. Gebruik IE10 of hoger.",
"SSE.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.",
"SSE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen. Werk uw licentie bij en vernieuw de pagina.",
- "SSE.Controllers.Main.warnNoLicense": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
+ "SSE.Controllers.Main.warnNoLicense": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
"SSE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.",
"SSE.Controllers.Print.strAllSheets": "Alle werkbladen",
"SSE.Controllers.Print.textWarning": "Waarschuwing",
diff --git a/apps/spreadsheeteditor/main/locale/pl.json b/apps/spreadsheeteditor/main/locale/pl.json
index fbab94ae3..7e6597f15 100644
--- a/apps/spreadsheeteditor/main/locale/pl.json
+++ b/apps/spreadsheeteditor/main/locale/pl.json
@@ -403,7 +403,7 @@
"SSE.Controllers.Main.warnBrowserIE9": "Aplikacja ma małe możliwości w IE9. Użyj przeglądarki IE10 lub nowszej.",
"SSE.Controllers.Main.warnBrowserZoom": "Aktualne ustawienie powiększenia przeglądarki nie jest w pełni obsługiwane. Zresetuj domyślny zoom, naciskając Ctrl + 0.",
"SSE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła. Zaktualizuj licencję i odśwież stronę.",
- "SSE.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.",
+ "SSE.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.",
"SSE.Controllers.Main.warnProcessRightsChange": "Nie masz prawa edytować tego pliku.",
"SSE.Controllers.Print.strAllSheets": "Wszystkie arkusze",
"SSE.Controllers.Print.textWarning": "Ostrzeżenie",
diff --git a/apps/spreadsheeteditor/main/locale/pt.json b/apps/spreadsheeteditor/main/locale/pt.json
index 235417da2..b9bdbb3e1 100644
--- a/apps/spreadsheeteditor/main/locale/pt.json
+++ b/apps/spreadsheeteditor/main/locale/pt.json
@@ -389,7 +389,7 @@
"SSE.Controllers.Main.warnBrowserIE9": "O aplicativo tem baixa capacidade no IE9. Usar IE10 ou superior",
"SSE.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.",
"SSE.Controllers.Main.warnLicenseExp": "Sua licença expirou. Atualize sua licença e atualize a página.",
- "SSE.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). Se você precisar de mais, considere a compra de uma licença comercial.",
+ "SSE.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). Se você precisar de mais, considere a compra de uma licença comercial.",
"SSE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.",
"SSE.Controllers.Print.strAllSheets": "Todas as folhas",
"SSE.Controllers.Print.textWarning": "Aviso",
diff --git a/apps/spreadsheeteditor/main/locale/ru.json b/apps/spreadsheeteditor/main/locale/ru.json
index d592f0e3e..9db6dea8e 100644
--- a/apps/spreadsheeteditor/main/locale/ru.json
+++ b/apps/spreadsheeteditor/main/locale/ru.json
@@ -427,6 +427,7 @@
"SSE.Controllers.Main.errorDatabaseConnection": "Внешняя ошибка. Ошибка подключения к базе данных. Если ошибка повторяется, пожалуйста, обратитесь в службу поддержки.",
"SSE.Controllers.Main.errorDataEncrypted": "Получены зашифрованные изменения, их нельзя расшифровать.",
"SSE.Controllers.Main.errorDataRange": "Некорректный диапазон данных.",
+ "SSE.Controllers.Main.errorDataValidate": "Введенное значение недопустимо. Значения, которые можно ввести в эту ячейку, ограничены.",
"SSE.Controllers.Main.errorDefaultMessage": "Код ошибки: %1",
"SSE.Controllers.Main.errorEditingDownloadas": "В ходе работы с документом произошла ошибка. Используйте опцию 'Скачать как...', чтобы сохранить резервную копию файла на жесткий диск компьютера.",
"SSE.Controllers.Main.errorEditingSaveas": "В ходе работы с документом произошла ошибка. Используйте опцию 'Сохранить как...', чтобы сохранить резервную копию файла на жесткий диск компьютера.",
@@ -521,11 +522,18 @@
"SSE.Controllers.Main.txtButtons": "Кнопки",
"SSE.Controllers.Main.txtCallouts": "Выноски",
"SSE.Controllers.Main.txtCharts": "Схемы",
+ "SSE.Controllers.Main.txtConfidential": "Конфиденциально",
+ "SSE.Controllers.Main.txtDate": "Дата",
"SSE.Controllers.Main.txtDiagramTitle": "Заголовок диаграммы",
"SSE.Controllers.Main.txtEditingMode": "Установка режима редактирования...",
"SSE.Controllers.Main.txtFiguredArrows": "Фигурные стрелки",
+ "SSE.Controllers.Main.txtFile": "Файл",
"SSE.Controllers.Main.txtLines": "Линии",
"SSE.Controllers.Main.txtMath": "Математические знаки",
+ "SSE.Controllers.Main.txtPage": "Страница",
+ "SSE.Controllers.Main.txtPageOf": "Страница %1 из %2",
+ "SSE.Controllers.Main.txtPages": "Страниц",
+ "SSE.Controllers.Main.txtPreparedBy": "Подготовил:",
"SSE.Controllers.Main.txtPrintArea": "Область_печати",
"SSE.Controllers.Main.txtRectangles": "Прямоугольники",
"SSE.Controllers.Main.txtSeries": "Ряд",
@@ -722,7 +730,9 @@
"SSE.Controllers.Main.txtStyle_Title": "Название",
"SSE.Controllers.Main.txtStyle_Total": "Итог",
"SSE.Controllers.Main.txtStyle_Warning_Text": "Текст предупреждения",
+ "SSE.Controllers.Main.txtTab": "Лист",
"SSE.Controllers.Main.txtTable": "Таблица",
+ "SSE.Controllers.Main.txtTime": "Время",
"SSE.Controllers.Main.txtXAxis": "Ось X",
"SSE.Controllers.Main.txtYAxis": "Ось Y",
"SSE.Controllers.Main.unknownErrorText": "Неизвестная ошибка.",
@@ -741,15 +751,6 @@
"SSE.Controllers.Main.warnNoLicense": "Эта версия редакторов %1 имеет некоторые ограничения по количеству одновременных подключений к серверу документов. Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.",
"SSE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей. Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.",
"SSE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.",
- "SSE.Controllers.Main.txtPage": "Страница",
- "SSE.Controllers.Main.txtConfidential": "Конфиденциально",
- "SSE.Controllers.Main.txtPreparedBy": "Подготовил:",
- "SSE.Controllers.Main.txtPageOf": "Страница %1 из %2",
- "SSE.Controllers.Main.txtPages": "Страниц",
- "SSE.Controllers.Main.txtDate": "Дата",
- "SSE.Controllers.Main.txtTime": "Время",
- "SSE.Controllers.Main.txtTab": "Лист",
- "SSE.Controllers.Main.txtFile": "Файл",
"SSE.Controllers.Print.strAllSheets": "Все листы",
"SSE.Controllers.Print.textWarning": "Предупреждение",
"SSE.Controllers.Print.txtCustom": "Пользовательская",
@@ -1342,16 +1343,16 @@
"SSE.Views.DataTab.capBtnGroup": "Сгруппировать",
"SSE.Views.DataTab.capBtnTextToCol": "Текст по столбцам",
"SSE.Views.DataTab.capBtnUngroup": "Разгруппировать",
+ "SSE.Views.DataTab.textBelow": "Итоги в строках под данными",
"SSE.Views.DataTab.textClear": "Удалить структуру",
"SSE.Views.DataTab.textColumns": "Разгруппировать столбцы",
+ "SSE.Views.DataTab.textGroupColumns": "Сгруппировать столбцы",
+ "SSE.Views.DataTab.textGroupRows": "Сгруппировать строки",
+ "SSE.Views.DataTab.textRightOf": "Итоги в столбцах справа от данных",
"SSE.Views.DataTab.textRows": "Разгруппировать строки",
"SSE.Views.DataTab.tipGroup": "Сгруппировать диапазон ячеек",
"SSE.Views.DataTab.tipToColumns": "Разделить текст ячейки по столбцам",
"SSE.Views.DataTab.tipUngroup": "Разгруппировать диапазон ячеек",
- "SSE.Views.DataTab.textGroupRows": "Сгруппировать строки",
- "SSE.Views.DataTab.textGroupColumns": "Сгруппировать столбцы",
- "SSE.Views.DataTab.textBelow": "Итоги в строках под данными",
- "SSE.Views.DataTab.textRightOf": "Итоги в столбцах справа от данных",
"SSE.Views.DigitalFilterDialog.cancelButtonText": "Отмена",
"SSE.Views.DigitalFilterDialog.capAnd": "И",
"SSE.Views.DigitalFilterDialog.capCondition1": "равно",
@@ -1559,7 +1560,7 @@
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Автовосстановление",
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Автосохранение",
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Отключено",
- "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Сохранить на сервере",
+ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Сохранять на сервере",
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Каждую минуту",
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Стиль ссылок",
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Сантиметр",
@@ -1654,6 +1655,7 @@
"SSE.Views.HeaderFooterDialog.textInsert": "Вставить",
"SSE.Views.HeaderFooterDialog.textItalic": "Курсив",
"SSE.Views.HeaderFooterDialog.textLeft": "Слева",
+ "SSE.Views.HeaderFooterDialog.textMaxError": "Введена слишком длинная текстовая строка. Уменьшите число знаков.",
"SSE.Views.HeaderFooterDialog.textNewColor": "Пользовательский цвет",
"SSE.Views.HeaderFooterDialog.textOdd": "Нечетная страница",
"SSE.Views.HeaderFooterDialog.textPageCount": "Число страниц",
@@ -1725,10 +1727,10 @@
"SSE.Views.LeftMenu.tipFile": "Файл",
"SSE.Views.LeftMenu.tipPlugins": "Плагины",
"SSE.Views.LeftMenu.tipSearch": "Поиск",
+ "SSE.Views.LeftMenu.tipSpellcheck": "Проверка орфографии",
"SSE.Views.LeftMenu.tipSupport": "Обратная связь и поддержка",
"SSE.Views.LeftMenu.txtDeveloper": "РЕЖИМ РАЗРАБОТЧИКА",
"SSE.Views.LeftMenu.txtTrial": "ПРОБНЫЙ РЕЖИМ",
- "SSE.Views.LeftMenu.tipSpellcheck": "Проверка орфографии",
"SSE.Views.MainSettingsPrint.okButtonText": "Сохранить",
"SSE.Views.MainSettingsPrint.strBottom": "Снизу",
"SSE.Views.MainSettingsPrint.strLandscape": "Альбомная",
@@ -1812,20 +1814,33 @@
"SSE.Views.ParagraphSettingsAdvanced.okButtonText": "ОК",
"SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "Все прописные",
"SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Двойное зачёркивание",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndent": "Отступы",
"SSE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "Первая строка",
"SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Слева",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Междустрочный интервал",
"SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Справа",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "После",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Перед",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Первая строка",
+ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "На",
"SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Шрифт",
"SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и интервалы",
"SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Малые прописные",
+ "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Интервал между абзацами",
"SSE.Views.ParagraphSettingsAdvanced.strStrike": "Зачёркивание",
"SSE.Views.ParagraphSettingsAdvanced.strSubscript": "Подстрочные",
"SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "Надстрочные",
"SSE.Views.ParagraphSettingsAdvanced.strTabs": "Табуляция",
"SSE.Views.ParagraphSettingsAdvanced.textAlign": "Выравнивание",
+ "SSE.Views.ParagraphSettingsAdvanced.textAuto": "Множитель",
"SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Межзнаковый интервал",
"SSE.Views.ParagraphSettingsAdvanced.textDefault": "По умолчанию",
"SSE.Views.ParagraphSettingsAdvanced.textEffects": "Эффекты",
+ "SSE.Views.ParagraphSettingsAdvanced.textExact": "Точно",
+ "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "Отступ",
+ "SSE.Views.ParagraphSettingsAdvanced.textHanging": "Выступ",
+ "SSE.Views.ParagraphSettingsAdvanced.textJustified": "По ширине",
+ "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(нет)",
"SSE.Views.ParagraphSettingsAdvanced.textRemove": "Удалить",
"SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Удалить все",
"SSE.Views.ParagraphSettingsAdvanced.textSet": "Задать",
@@ -1834,19 +1849,7 @@
"SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Позиция",
"SSE.Views.ParagraphSettingsAdvanced.textTabRight": "По правому краю",
"SSE.Views.ParagraphSettingsAdvanced.textTitle": "Абзац - дополнительные параметры",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Перед",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "После",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Междустрочный интервал",
- "SSE.Views.ParagraphSettingsAdvanced.textAuto": "Множитель",
"SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто",
- "SSE.Views.ParagraphSettingsAdvanced.textExact": "Точно",
- "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Первая строка",
- "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(нет)",
- "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "Отступ",
- "SSE.Views.ParagraphSettingsAdvanced.textHanging": "Выступ",
- "SSE.Views.ParagraphSettingsAdvanced.textJustified": "По ширине",
- "SSE.Views.ParagraphSettingsAdvanced.strIndent": "Отступы",
- "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Интервал между абзацами",
"SSE.Views.PivotSettings.notcriticalErrorTitle": "Внимание",
"SSE.Views.PivotSettings.textAdvanced": "Дополнительные параметры",
"SSE.Views.PivotSettings.textCancel": "Отмена",
@@ -1956,6 +1959,7 @@
"SSE.Views.ShapeSettings.strFill": "Заливка",
"SSE.Views.ShapeSettings.strForeground": "Цвет переднего плана",
"SSE.Views.ShapeSettings.strPattern": "Узор",
+ "SSE.Views.ShapeSettings.strShadow": "Отображать тень",
"SSE.Views.ShapeSettings.strSize": "Толщина",
"SSE.Views.ShapeSettings.strStroke": "Обводка",
"SSE.Views.ShapeSettings.strTransparency": "Непрозрачность",
@@ -2000,7 +2004,6 @@
"SSE.Views.ShapeSettings.txtNoBorders": "Без обводки",
"SSE.Views.ShapeSettings.txtPapyrus": "Папирус",
"SSE.Views.ShapeSettings.txtWood": "Дерево",
- "SSE.Views.ShapeSettings.strShadow": "Отображать тень",
"SSE.Views.ShapeSettingsAdvanced.cancelButtonText": "Отмена",
"SSE.Views.ShapeSettingsAdvanced.okButtonText": "ОК",
"SSE.Views.ShapeSettingsAdvanced.strColumns": "Колонки",
@@ -2054,6 +2057,16 @@
"SSE.Views.SignatureSettings.txtRequestedSignatures": "Эту таблицу требуется подписать.",
"SSE.Views.SignatureSettings.txtSigned": "В электронную таблицу добавлены действительные подписи. Таблица защищена от редактирования.",
"SSE.Views.SignatureSettings.txtSignedInvalid": "Некоторые из цифровых подписей в электронной таблице недействительны или их нельзя проверить. Таблица защищена от редактирования.",
+ "SSE.Views.Spellcheck.noSuggestions": "Вариантов не найдено",
+ "SSE.Views.Spellcheck.textChange": "Заменить",
+ "SSE.Views.Spellcheck.textChangeAll": "Заменить все",
+ "SSE.Views.Spellcheck.textIgnore": "Пропустить",
+ "SSE.Views.Spellcheck.textIgnoreAll": "Пропустить все",
+ "SSE.Views.Spellcheck.txtAddToDictionary": "Добавить в словарь",
+ "SSE.Views.Spellcheck.txtComplete": "Проверка орфографии закончена",
+ "SSE.Views.Spellcheck.txtDictionaryLanguage": "Язык словаря",
+ "SSE.Views.Spellcheck.txtNextTip": "Перейти к следующему слову",
+ "SSE.Views.Spellcheck.txtSpelling": "Орфография",
"SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Скопировать в конец)",
"SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Переместить в конец)",
"SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Скопировать перед листом",
@@ -2416,15 +2429,5 @@
"SSE.Views.Top10FilterDialog.txtItems": "Элемент",
"SSE.Views.Top10FilterDialog.txtPercent": "Процент",
"SSE.Views.Top10FilterDialog.txtTitle": "Наложение условия по списку",
- "SSE.Views.Top10FilterDialog.txtTop": "Наибольшие",
- "SSE.Views.Spellcheck.txtSpelling": "Орфография",
- "SSE.Views.Spellcheck.noSuggestions": "Вариантов не найдено",
- "SSE.Views.Spellcheck.textChange": "Заменить",
- "SSE.Views.Spellcheck.textChangeAll": "Заменить все",
- "SSE.Views.Spellcheck.textIgnore": "Пропустить",
- "SSE.Views.Spellcheck.textIgnoreAll": "Пропустить все",
- "SSE.Views.Spellcheck.txtAddToDictionary": "Добавить в словарь",
- "SSE.Views.Spellcheck.txtDictionaryLanguage": "Язык словаря",
- "SSE.Views.Spellcheck.txtComplete": "Проверка орфографии закончена",
- "SSE.Views.Spellcheck.txtNextTip": "Перейти к следующему слову"
+ "SSE.Views.Top10FilterDialog.txtTop": "Наибольшие"
}
\ No newline at end of file
diff --git a/apps/spreadsheeteditor/main/locale/sk.json b/apps/spreadsheeteditor/main/locale/sk.json
index 82f4d45ae..58c628f67 100644
--- a/apps/spreadsheeteditor/main/locale/sk.json
+++ b/apps/spreadsheeteditor/main/locale/sk.json
@@ -411,7 +411,7 @@
"SSE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.",
"SSE.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.",
"SSE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala. Prosím, aktualizujte si svoju licenciu a obnovte stránku.",
- "SSE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie ONLYOFFICE Editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
+ "SSE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie %1 editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
"SSE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.",
"SSE.Controllers.Print.strAllSheets": "Všetky listy",
"SSE.Controllers.Print.textWarning": "Upozornenie",
diff --git a/apps/spreadsheeteditor/main/locale/tr.json b/apps/spreadsheeteditor/main/locale/tr.json
index b451fe3ef..a968ad866 100644
--- a/apps/spreadsheeteditor/main/locale/tr.json
+++ b/apps/spreadsheeteditor/main/locale/tr.json
@@ -389,7 +389,7 @@
"SSE.Controllers.Main.warnBrowserIE9": "Uygulama IE9'da düşük yeteneklere sahip. IE10 yada daha yükseğini kullanınız",
"SSE.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.",
"SSE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.",
- "SSE.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ı). Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.",
+ "SSE.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ı). Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.",
"SSE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi",
"SSE.Controllers.Print.strAllSheets": "Tüm Tablolar",
"SSE.Controllers.Print.textWarning": "Dikkat",
diff --git a/apps/spreadsheeteditor/main/locale/uk.json b/apps/spreadsheeteditor/main/locale/uk.json
index 7f87c689e..7ab1ad781 100644
--- a/apps/spreadsheeteditor/main/locale/uk.json
+++ b/apps/spreadsheeteditor/main/locale/uk.json
@@ -388,7 +388,7 @@
"SSE.Controllers.Main.warnBrowserIE9": "Програма має низькі можливості для IE9. Використовувати IE10 або вище",
"SSE.Controllers.Main.warnBrowserZoom": "Налаштування масштабу вашого браузера не підтримується повністю. Змініть стандартний масштаб, натиснувши Ctrl + 0.",
"SSE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
- "SSE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
+ "SSE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"SSE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"SSE.Controllers.Print.strAllSheets": "Всі аркуші",
"SSE.Controllers.Print.textWarning": "Застереження",
diff --git a/apps/spreadsheeteditor/main/locale/vi.json b/apps/spreadsheeteditor/main/locale/vi.json
index fc1a02a7b..3ee165adc 100644
--- a/apps/spreadsheeteditor/main/locale/vi.json
+++ b/apps/spreadsheeteditor/main/locale/vi.json
@@ -388,7 +388,7 @@
"SSE.Controllers.Main.warnBrowserIE9": "Ứng dụng vận hành kém trên IE9. Sử dụng IE10 hoặc cao hơn",
"SSE.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.",
"SSE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn. Vui lòng cập nhật giấy phép và làm mới trang.",
- "SSE.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). Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.",
+ "SSE.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). Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.",
"SSE.Controllers.Main.warnProcessRightsChange": "Bạn đã bị từ chối quyền chỉnh sửa file này.",
"SSE.Controllers.Print.strAllSheets": "Tất cả các trang tính",
"SSE.Controllers.Print.textWarning": "Cảnh báo",
diff --git a/apps/spreadsheeteditor/main/locale/zh.json b/apps/spreadsheeteditor/main/locale/zh.json
index 86656cbaf..527fe62d5 100644
--- a/apps/spreadsheeteditor/main/locale/zh.json
+++ b/apps/spreadsheeteditor/main/locale/zh.json
@@ -721,7 +721,7 @@
"SSE.Controllers.Main.warnLicenseExp": "您的许可证已过期。 请更新您的许可证并刷新页面。",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。 请联系您的账户管理员了解详情。",
"SSE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。 如果需要更多请考虑购买商业许可证。",
- "SSE.Controllers.Main.warnNoLicenseUsers": "此版本的 ONLYOFFICE 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
"SSE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"SSE.Controllers.Print.strAllSheets": "所有表格",
"SSE.Controllers.Print.textWarning": "警告",
diff --git a/apps/spreadsheeteditor/main/resources/less/toolbar.less b/apps/spreadsheeteditor/main/resources/less/toolbar.less
index ae498bc86..e407c9a57 100644
--- a/apps/spreadsheeteditor/main/resources/less/toolbar.less
+++ b/apps/spreadsheeteditor/main/resources/less/toolbar.less
@@ -59,6 +59,18 @@
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
diff --git a/apps/spreadsheeteditor/mobile/locale/bg.json b/apps/spreadsheeteditor/mobile/locale/bg.json
index 3287f99ee..ee83a7ffc 100644
--- a/apps/spreadsheeteditor/mobile/locale/bg.json
+++ b/apps/spreadsheeteditor/mobile/locale/bg.json
@@ -268,8 +268,8 @@
"SSE.Controllers.Main.warnLicenseExceeded": "Броят на едновременните връзки към сървъра за документи е превишен и документът ще бъде отворен само за преглед. За повече информация се обърнете към администратора.",
"SSE.Controllers.Main.warnLicenseExp": "Вашият лиценз е изтекъл. Моля, актуализирайте лиценза си и опреснете страницата.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Броят на едновременните потребители е надхвърлен и документът ще бъде отворен само за преглед. За повече информация се свържете с администратора си.",
- "SSE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на ONLYOFFICE има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "SSE.Controllers.Main.warnNoLicense": "Тази версия на редакторите на %1 има някои ограничения за едновременни връзки към сървъра за документи. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Тази версия на редакторите на %1 има някои ограничения за едновременни потребители. Ако имате нужда от повече, моля обмислете закупуването на търговски лиценз.",
"SSE.Controllers.Main.warnProcessRightsChange": "На вас е отказано правото да редактирате файла.",
"SSE.Controllers.Search.textNoTextFound": "Текстът не е намерен",
"SSE.Controllers.Search.textReplaceAll": "Замяна на всички",
diff --git a/apps/spreadsheeteditor/mobile/locale/cs.json b/apps/spreadsheeteditor/mobile/locale/cs.json
index ede001c68..03bf56c59 100644
--- a/apps/spreadsheeteditor/mobile/locale/cs.json
+++ b/apps/spreadsheeteditor/mobile/locale/cs.json
@@ -256,7 +256,7 @@
"SSE.Controllers.Main.uploadImageTitleText": "Nahrávání obrázku",
"SSE.Controllers.Main.waitText": "Čekejte prosím ...",
"SSE.Controllers.Main.warnLicenseExp": "Platnost vaší licence vypršela. Prosím, aktualizujte vaší licenci a obnovte stránku.",
- "SSE.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). Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.",
+ "SSE.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). Pokud budete potřebovat více, tak prosím zvažte koupi komerční licence.",
"SSE.Controllers.Main.warnProcessRightsChange": "Bylo Vám odebráno právo upravovat tento soubor.",
"SSE.Controllers.Search.textNoTextFound": "Text nebyl nalezen",
"SSE.Controllers.Search.textReplaceAll": "Nahradit vše",
diff --git a/apps/spreadsheeteditor/mobile/locale/de.json b/apps/spreadsheeteditor/mobile/locale/de.json
index 464f48060..e21f6ee2f 100644
--- a/apps/spreadsheeteditor/mobile/locale/de.json
+++ b/apps/spreadsheeteditor/mobile/locale/de.json
@@ -268,8 +268,8 @@
"SSE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
"SSE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen. Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Die Anzahl der gleichzeitigen Benutzer wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet. Wenden Sie sich an den Administrator, um weitere Informationen zu erhalten.",
- "SSE.Controllers.Main.warnNoLicense": "Diese Version von ONLYOFFICE Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver. Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Diese Version von ONLYOFFICE Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
+ "SSE.Controllers.Main.warnNoLicense": "Diese Version von %1 Editoren hat gewisse Einschränkungen für gleichzeitige Verbindungen zum Dokumentenserver. Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Diese Version von %1 Editoren hat bestimmte Einschränkungen für gleichzeitige Benutzer. Wenn Sie mehr Verbindungen benötigen, erwerben Sie eine kommerzielle Lizenz.",
"SSE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.",
"SSE.Controllers.Search.textNoTextFound": "Der Text wurde nicht gefunden.",
"SSE.Controllers.Search.textReplaceAll": "Alle ersetzen",
diff --git a/apps/spreadsheeteditor/mobile/locale/en.json b/apps/spreadsheeteditor/mobile/locale/en.json
index 4e5a89008..34b803416 100644
--- a/apps/spreadsheeteditor/mobile/locale/en.json
+++ b/apps/spreadsheeteditor/mobile/locale/en.json
@@ -7,8 +7,8 @@
"Common.Views.Collaboration.textBack": "Back",
"Common.Views.Collaboration.textCollaboration": "Collaboration",
"Common.Views.Collaboration.textEditUsers": "Users",
- "Common.Views.Collaboration.textСomments": "Сomments",
"Common.Views.Collaboration.textNoComments": "This spreadsheet doesn't contain comments",
+ "Common.Views.Collaboration.textСomments": "Сomments",
"SSE.Controllers.AddChart.txtDiagramTitle": "Chart Title",
"SSE.Controllers.AddChart.txtSeries": "Series",
"SSE.Controllers.AddChart.txtXAxis": "X Axis",
@@ -331,9 +331,9 @@
"SSE.Views.AddLink.textLinkType": "Link Type",
"SSE.Views.AddLink.textRange": "Range",
"SSE.Views.AddLink.textRequired": "Required",
+ "SSE.Views.AddLink.textSelectedRange": "Selected Range",
"SSE.Views.AddLink.textSheet": "Sheet",
"SSE.Views.AddLink.textTip": "Screen Tip",
- "SSE.Views.AddLink.textSelectedRange": "Selected Range",
"SSE.Views.AddOther.textAddress": "Address",
"SSE.Views.AddOther.textBack": "Back",
"SSE.Views.AddOther.textFilter": "Filter",
diff --git a/apps/spreadsheeteditor/mobile/locale/es.json b/apps/spreadsheeteditor/mobile/locale/es.json
index bf1c0ad3c..3d8e08eba 100644
--- a/apps/spreadsheeteditor/mobile/locale/es.json
+++ b/apps/spreadsheeteditor/mobile/locale/es.json
@@ -280,7 +280,7 @@
"SSE.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. Por favor, contacte con su administrador para recibir más información.",
"SSE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado. Por favor, actualice su licencia y después recargue la página.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Se ha excedido el número permitido de los usuarios simultáneos, y el documento se abrirá para sólo lectura. Por favor, contacte con su administrador para recibir más información.",
- "SSE.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. Si se requiere más, por favor, considere comprar una licencia comercial.",
+ "SSE.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. Si se requiere más, por favor, considere comprar una licencia comercial.",
"SSE.Controllers.Main.warnNoLicenseUsers": "Esta versión de editores %1 tiene ciertas limitaciones para usuarios simultáneos. Si necesita más, por favor, considere comprar una licencia comercial.",
"SSE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.",
"SSE.Controllers.Search.textNoTextFound": "Texto no encontrado",
diff --git a/apps/spreadsheeteditor/mobile/locale/fr.json b/apps/spreadsheeteditor/mobile/locale/fr.json
index 452934035..4532bcfbf 100644
--- a/apps/spreadsheeteditor/mobile/locale/fr.json
+++ b/apps/spreadsheeteditor/mobile/locale/fr.json
@@ -280,8 +280,8 @@
"SSE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées a été dépassée et le document sera ouvert en mode lecture seule. Veuillez contacter votre administrateur pour plus d'informations.",
"SSE.Controllers.Main.warnLicenseExp": "Votre licence a expiré. Veuillez mettre à jour votre licence et actualisez la page.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Le nombre d'utilisateurs simultanés a été dépassé et le document sera ouvert en mode lecture seule. Veuillez contacter votre administrateur pour plus d'informations.",
- "SSE.Controllers.Main.warnNoLicense": "Cette version de ONLYOFFICE Editors a certaines limitations pour les connexions simultanées au serveur de documents. Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Cette version de ONLYOFFICE Editors a certaines limitations pour les utilisateurs simultanés. Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
+ "SSE.Controllers.Main.warnNoLicense": "Cette version de %1 editors a certaines limitations pour les connexions simultanées au serveur de documents. Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Cette version de %1 editors a certaines limitations pour les utilisateurs simultanés. Si vous avez besoin de plus, pensez à mettre à jour votre licence actuelle ou à acheter une licence commerciale.",
"SSE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.",
"SSE.Controllers.Search.textNoTextFound": "Le texte est introuvable",
"SSE.Controllers.Search.textReplaceAll": "Remplacer tout",
diff --git a/apps/spreadsheeteditor/mobile/locale/hu.json b/apps/spreadsheeteditor/mobile/locale/hu.json
index d538972dc..774aed6f3 100644
--- a/apps/spreadsheeteditor/mobile/locale/hu.json
+++ b/apps/spreadsheeteditor/mobile/locale/hu.json
@@ -278,8 +278,8 @@
"SSE.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. Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
"SSE.Controllers.Main.warnLicenseExp": "A licence lejárt. Kérem frissítse a licencét, majd az oldalt.",
"SSE.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. Kérjük lépjen kapcsolatba a rendszer adminisztrátorral bővebb információkért.",
- "SSE.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. Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
- "SSE.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. Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
+ "SSE.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. Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
+ "SSE.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. Amennyiben többre van szüksége, fontolja meg hogy kereskedelmi licenc megvásárlását.",
"SSE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.",
"SSE.Controllers.Search.textNoTextFound": "A szöveg nem található",
"SSE.Controllers.Search.textReplaceAll": "Mindent cserél",
diff --git a/apps/spreadsheeteditor/mobile/locale/it.json b/apps/spreadsheeteditor/mobile/locale/it.json
index f68d71363..edb99ee43 100644
--- a/apps/spreadsheeteditor/mobile/locale/it.json
+++ b/apps/spreadsheeteditor/mobile/locale/it.json
@@ -7,6 +7,7 @@
"Common.Views.Collaboration.textBack": "Indietro",
"Common.Views.Collaboration.textCollaboration": "Collaborazione",
"Common.Views.Collaboration.textEditUsers": "Utenti",
+ "Common.Views.Collaboration.textNoComments": "Questo foglio di calcolo non contiene commenti",
"Common.Views.Collaboration.textСomments": "Сommenti",
"SSE.Controllers.AddChart.txtDiagramTitle": "Titolo del grafico",
"SSE.Controllers.AddChart.txtSeries": "Serie",
@@ -280,7 +281,7 @@
"SSE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione. Contattare l'amministratore per ulteriori informazioni.",
"SSE.Controllers.Main.warnLicenseExp": "La tua licenza è scaduta. Si prega di aggiornare la licenza e ricaricare la pagina.",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Il numero di utenti simultaei è stato superato e il documento verrà aperto solo per la visualizzazione. Per ulteriori informazioni, contattare l'amministratore.",
- "SSE.Controllers.Main.warnNoLicense": "Questa versione di ONLYOFFICE® Editors presenta delle limitazioni per le connessioni simultanee al server dei documenti. Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
+ "SSE.Controllers.Main.warnNoLicense": "Questa versione di %1 editors presenta delle limitazioni per le connessioni simultanee al server dei documenti. Se necessiti di avere di più, considera l'acquisto di una licenza commerciale.",
"SSE.Controllers.Main.warnNoLicenseUsers": "Questa versione di %1 presenta alcune limitazioni per gli utenti simultanei. Se hai bisogno di più, ti preghiamo di considerare l'aggiornamento della tua licenza attuale o l'acquisto di una licenza commerciale.",
"SSE.Controllers.Main.warnProcessRightsChange": "Ti è stato negato il diritto di modificare il file.",
"SSE.Controllers.Search.textNoTextFound": "Testo non trovato",
@@ -330,6 +331,7 @@
"SSE.Views.AddLink.textLinkType": "Tipo collegamento",
"SSE.Views.AddLink.textRange": "Intervallo",
"SSE.Views.AddLink.textRequired": "Richiesto",
+ "SSE.Views.AddLink.textSelectedRange": "Intervallo selezionato",
"SSE.Views.AddLink.textSheet": "Foglio",
"SSE.Views.AddLink.textTip": "Suggerimento ",
"SSE.Views.AddOther.textAddress": "Indirizzo",
diff --git a/apps/spreadsheeteditor/mobile/locale/ko.json b/apps/spreadsheeteditor/mobile/locale/ko.json
index 9492ec6a4..ea976c3ab 100644
--- a/apps/spreadsheeteditor/mobile/locale/ko.json
+++ b/apps/spreadsheeteditor/mobile/locale/ko.json
@@ -256,8 +256,8 @@
"SSE.Controllers.Main.uploadImageTextText": "이미지 업로드 중 ...",
"SSE.Controllers.Main.uploadImageTitleText": "이미지 업로드 중",
"SSE.Controllers.Main.warnLicenseExp": "귀하의 라이센스가 만료되었습니다. 라이센스를 업데이트하고 페이지를 새로 고침하십시오.",
- "SSE.Controllers.Main.warnNoLicense": "이 버전의 ONLYOFFICE 편집자에게는 문서 서버에 대한 동시 연결에 대한 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상용 소프트웨어를 구입하십시오.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "이 버전의 ONLYOFFICE 편집자에게는 동시 사용자에게 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
+ "SSE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자에게는 문서 서버에 대한 동시 연결에 대한 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상용 소프트웨어를 구입하십시오.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "이 버전의 %1 편집자에게는 동시 사용자에게 특정 제한 사항이 있습니다. 더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.",
"SSE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.",
"SSE.Controllers.Search.textNoTextFound": "텍스트를 찾을 수 없습니다",
"SSE.Controllers.Search.textReplaceAll": "모두 바꾸기",
diff --git a/apps/spreadsheeteditor/mobile/locale/lv.json b/apps/spreadsheeteditor/mobile/locale/lv.json
index 2d3d18f30..e78e85447 100644
--- a/apps/spreadsheeteditor/mobile/locale/lv.json
+++ b/apps/spreadsheeteditor/mobile/locale/lv.json
@@ -256,8 +256,8 @@
"SSE.Controllers.Main.uploadImageTextText": "Augšupielādē attēlu...",
"SSE.Controllers.Main.uploadImageTitleText": "Augšupielādē attēlu",
"SSE.Controllers.Main.warnLicenseExp": "Jūsu licencei ir beidzies termiņš. Lūdzu, atjauniniet savu licenci un pārlādējiet lapu.",
- "SSE.Controllers.Main.warnNoLicense": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim. 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.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Šai ONLYOFFICE Editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību. Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.",
+ "SSE.Controllers.Main.warnNoLicense": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vienlaicīgu pieslēgšanos dokumentu serverim. 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.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Šai %1 editors versijai ir noteikti ierobežojumi saistībā ar vairāku lietotāju vienlaicīgu darbību. Ja jums ir nepieciešams vairāk, lūdzu, apsveriet paaugstināt šībrīža licences līmeni vai komerciālās licences iegādi.",
"SSE.Controllers.Main.warnProcessRightsChange": "Jums ir liegtas tiesības šo failu rediģēt.",
"SSE.Controllers.Search.textNoTextFound": "Teksts nav atrasts",
"SSE.Controllers.Search.textReplaceAll": "Aizvietot visus",
diff --git a/apps/spreadsheeteditor/mobile/locale/nl.json b/apps/spreadsheeteditor/mobile/locale/nl.json
index 55b74bd3f..5d99ff0f0 100644
--- a/apps/spreadsheeteditor/mobile/locale/nl.json
+++ b/apps/spreadsheeteditor/mobile/locale/nl.json
@@ -265,8 +265,8 @@
"SSE.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. Neem contact op met de beheerder voor meer informatie.",
"SSE.Controllers.Main.warnLicenseExp": "Uw licentie is vervallen. Werk uw licentie bij en vernieuw de pagina.",
"SSE.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. Neem contact op met de beheerder voor meer informatie.",
- "SSE.Controllers.Main.warnNoLicense": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Deze versie van Only Office bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
+ "SSE.Controllers.Main.warnNoLicense": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Deze versie van %1 bevat limieten voor het aantal gelijktijdige gebruikers. Indien meer nodig is, upgrade dan de huidige licentie of schaf een commerciële licentie aan.",
"SSE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.",
"SSE.Controllers.Search.textNoTextFound": "Tekst niet gevonden",
"SSE.Controllers.Search.textReplaceAll": "Alles vervangen",
diff --git a/apps/spreadsheeteditor/mobile/locale/pl.json b/apps/spreadsheeteditor/mobile/locale/pl.json
index 502fffab4..f6f840a3d 100644
--- a/apps/spreadsheeteditor/mobile/locale/pl.json
+++ b/apps/spreadsheeteditor/mobile/locale/pl.json
@@ -256,7 +256,7 @@
"SSE.Controllers.Main.uploadImageTitleText": "Wysyłanie obrazu",
"SSE.Controllers.Main.waitText": "Proszę czekać...",
"SSE.Controllers.Main.warnLicenseExp": "Twoja licencja wygasła. Zaktualizuj licencję i odśwież stronę.",
- "SSE.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.",
+ "SSE.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.",
"SSE.Controllers.Main.warnProcessRightsChange": "Nie masz uprawnień do edycji tego pliku.",
"SSE.Controllers.Search.textNoTextFound": "Nie znaleziono tekstu",
"SSE.Controllers.Search.textReplaceAll": "Zamień wszystko",
diff --git a/apps/spreadsheeteditor/mobile/locale/pt.json b/apps/spreadsheeteditor/mobile/locale/pt.json
index 5dbf197b4..e2e3adf7a 100644
--- a/apps/spreadsheeteditor/mobile/locale/pt.json
+++ b/apps/spreadsheeteditor/mobile/locale/pt.json
@@ -255,7 +255,7 @@
"SSE.Controllers.Main.uploadImageTitleText": "Carregando imagem",
"SSE.Controllers.Main.waitText": "Aguarde...",
"SSE.Controllers.Main.warnLicenseExp": "Sua licença expirou. Atualize sua licença e atualize a página.",
- "SSE.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). Se você precisar de mais, considere a compra de uma licença comercial.",
+ "SSE.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). Se você precisar de mais, considere a compra de uma licença comercial.",
"SSE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.",
"SSE.Controllers.Search.textNoTextFound": "Texto não encontrado",
"SSE.Controllers.Search.textReplaceAll": "Substituir tudo",
diff --git a/apps/spreadsheeteditor/mobile/locale/ru.json b/apps/spreadsheeteditor/mobile/locale/ru.json
index 7fcd2ece7..8629d8e77 100644
--- a/apps/spreadsheeteditor/mobile/locale/ru.json
+++ b/apps/spreadsheeteditor/mobile/locale/ru.json
@@ -7,6 +7,7 @@
"Common.Views.Collaboration.textBack": "Назад",
"Common.Views.Collaboration.textCollaboration": "Совместная работа",
"Common.Views.Collaboration.textEditUsers": "Пользователи",
+ "Common.Views.Collaboration.textNoComments": "Эта таблица не содержит комментариев",
"Common.Views.Collaboration.textСomments": "Комментарии",
"SSE.Controllers.AddChart.txtDiagramTitle": "Заголовок диаграммы",
"SSE.Controllers.AddChart.txtSeries": "Ряд",
@@ -330,6 +331,7 @@
"SSE.Views.AddLink.textLinkType": "Тип ссылки",
"SSE.Views.AddLink.textRange": "Диапазон",
"SSE.Views.AddLink.textRequired": "Обязательно",
+ "SSE.Views.AddLink.textSelectedRange": "Выбранный диапазон",
"SSE.Views.AddLink.textSheet": "Лист",
"SSE.Views.AddLink.textTip": "Подсказка",
"SSE.Views.AddOther.textAddress": "Адрес",
@@ -513,8 +515,10 @@
"SSE.Views.Search.textSheet": "Лист",
"SSE.Views.Search.textValues": "Значения",
"SSE.Views.Search.textWorkbook": "Книга",
+ "SSE.Views.Settings. textLocation": "Размещение",
"SSE.Views.Settings.textAbout": "О программе",
"SSE.Views.Settings.textAddress": "адрес",
+ "SSE.Views.Settings.textApplication": "Приложение",
"SSE.Views.Settings.textApplicationSettings": "Настройки приложения",
"SSE.Views.Settings.textAuthor": "Автор",
"SSE.Views.Settings.textBack": "Назад",
@@ -522,9 +526,14 @@
"SSE.Views.Settings.textCentimeter": "Сантиметр",
"SSE.Views.Settings.textCollaboration": "Совместная работа",
"SSE.Views.Settings.textColorSchemes": "Цветовые схемы",
+ "SSE.Views.Settings.textComment": "Комментарий",
+ "SSE.Views.Settings.textCommentingDisplay": "Отображение комментариев",
+ "SSE.Views.Settings.textCreated": "Создана",
"SSE.Views.Settings.textCreateDate": "Дата создания",
"SSE.Views.Settings.textCustom": "Пользовательский",
"SSE.Views.Settings.textCustomSize": "Особый размер",
+ "SSE.Views.Settings.textDisplayComments": "Комментарии",
+ "SSE.Views.Settings.textDisplayResolvedComments": "Решенные комментарии",
"SSE.Views.Settings.textDocInfo": "Информация о таблице",
"SSE.Views.Settings.textDocTitle": "Название таблицы",
"SSE.Views.Settings.textDone": "Готово",
@@ -542,10 +551,13 @@
"SSE.Views.Settings.textHideHeadings": "Скрыть заголовки",
"SSE.Views.Settings.textInch": "Дюйм",
"SSE.Views.Settings.textLandscape": "Альбомная",
+ "SSE.Views.Settings.textLastModified": "Последнее изменение",
+ "SSE.Views.Settings.textLastModifiedBy": "Автор последнего изменения",
"SSE.Views.Settings.textLeft": "Слева",
"SSE.Views.Settings.textLoading": "Загрузка...",
"SSE.Views.Settings.textMargins": "Поля",
"SSE.Views.Settings.textOrientation": "Ориентация",
+ "SSE.Views.Settings.textOwner": "Владелец",
"SSE.Views.Settings.textPoint": "Пункт",
"SSE.Views.Settings.textPortrait": "Книжная",
"SSE.Views.Settings.textPoweredBy": "Разработано",
@@ -556,9 +568,12 @@
"SSE.Views.Settings.textSettings": "Настройки",
"SSE.Views.Settings.textSpreadsheetFormats": "Форматы таблицы",
"SSE.Views.Settings.textSpreadsheetSettings": "Настройки таблицы",
+ "SSE.Views.Settings.textSubject": "Тема",
"SSE.Views.Settings.textTel": "Телефон",
+ "SSE.Views.Settings.textTitle": "Название",
"SSE.Views.Settings.textTop": "Сверху",
"SSE.Views.Settings.textUnitOfMeasurement": "Единица измерения",
+ "SSE.Views.Settings.textUploaded": "Загружена",
"SSE.Views.Settings.textVersion": "Версия",
"SSE.Views.Settings.unknownText": "Неизвестно",
"SSE.Views.Toolbar.textBack": "Назад"
diff --git a/apps/spreadsheeteditor/mobile/locale/sk.json b/apps/spreadsheeteditor/mobile/locale/sk.json
index b98328583..032cfb487 100644
--- a/apps/spreadsheeteditor/mobile/locale/sk.json
+++ b/apps/spreadsheeteditor/mobile/locale/sk.json
@@ -257,8 +257,8 @@
"SSE.Controllers.Main.uploadImageTextText": "Nahrávanie obrázku...",
"SSE.Controllers.Main.uploadImageTitleText": "Nahrávanie obrázku",
"SSE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala. Prosím, aktualizujte si svoju licenciu a obnovte stránku.",
- "SSE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie ONLYOFFICE Editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
- "SSE.Controllers.Main.warnNoLicenseUsers": "Táto verzia ONLYOFFICE Editors má určité obmedzenia pre spolupracujúcich používateľov. Ak potrebujete viac, zvážte aktualizáciu vašej aktuálnej licencie alebo kúpu komerčnej.",
+ "SSE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie %1 editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru. Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "Táto verzia %1 editors má určité obmedzenia pre spolupracujúcich používateľov. Ak potrebujete viac, zvážte aktualizáciu vašej aktuálnej licencie alebo kúpu komerčnej.",
"SSE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.",
"SSE.Controllers.Search.textNoTextFound": "Text nebol nájdený",
"SSE.Controllers.Search.textReplaceAll": "Nahradiť všetko",
diff --git a/apps/spreadsheeteditor/mobile/locale/tr.json b/apps/spreadsheeteditor/mobile/locale/tr.json
index e91940946..b8d077bd9 100644
--- a/apps/spreadsheeteditor/mobile/locale/tr.json
+++ b/apps/spreadsheeteditor/mobile/locale/tr.json
@@ -254,7 +254,7 @@
"SSE.Controllers.Main.uploadImageTextText": "Resim yükleniyor...",
"SSE.Controllers.Main.uploadImageTitleText": "Resim Yükleniyor",
"SSE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.",
- "SSE.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ı). Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.",
+ "SSE.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ı). Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.",
"SSE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi",
"SSE.Controllers.Search.textNoTextFound": "Metin bulunamadı",
"SSE.Controllers.Search.textReplaceAll": "Tümünü Değiştir",
diff --git a/apps/spreadsheeteditor/mobile/locale/uk.json b/apps/spreadsheeteditor/mobile/locale/uk.json
index b2efc41b6..2c1aeb902 100644
--- a/apps/spreadsheeteditor/mobile/locale/uk.json
+++ b/apps/spreadsheeteditor/mobile/locale/uk.json
@@ -254,7 +254,7 @@
"SSE.Controllers.Main.uploadImageTextText": "Завантаження зображення...",
"SSE.Controllers.Main.uploadImageTitleText": "Завантаження зображення",
"SSE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув. Будь ласка, оновіть свою ліцензію та оновіть сторінку.",
- "SSE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію ONLYOFFICE. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
+ "SSE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз). Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.",
"SSE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.",
"SSE.Controllers.Search.textNoTextFound": "Текст не знайдено",
"SSE.Controllers.Search.textReplaceAll": "Замінити усе",
diff --git a/apps/spreadsheeteditor/mobile/locale/vi.json b/apps/spreadsheeteditor/mobile/locale/vi.json
index a98d2a5b6..83ef043a8 100644
--- a/apps/spreadsheeteditor/mobile/locale/vi.json
+++ b/apps/spreadsheeteditor/mobile/locale/vi.json
@@ -254,7 +254,7 @@
"SSE.Controllers.Main.uploadImageTextText": "Đang tải lên hình ảnh...",
"SSE.Controllers.Main.uploadImageTitleText": "Đang tải lên hình ảnh",
"SSE.Controllers.Main.warnLicenseExp": "Giấy phép của bạn đã hết hạn. Vui lòng cập nhật giấy phép và làm mới trang.",
- "SSE.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). Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.",
+ "SSE.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). Nếu bạn cần thêm, hãy cân nhắc mua giấy phép thương mại.",
"SSE.Controllers.Main.warnProcessRightsChange": "Bạn đã bị từ chối quyền chỉnh sửa file này.",
"SSE.Controllers.Search.textNoTextFound": "Không tìm thấy nội dung",
"SSE.Controllers.Search.textReplaceAll": "Thay thế tất cả",
diff --git a/apps/spreadsheeteditor/mobile/locale/zh.json b/apps/spreadsheeteditor/mobile/locale/zh.json
index 7f576604d..0b14905a5 100644
--- a/apps/spreadsheeteditor/mobile/locale/zh.json
+++ b/apps/spreadsheeteditor/mobile/locale/zh.json
@@ -269,7 +269,7 @@
"SSE.Controllers.Main.warnLicenseExp": "您的许可证已过期。 请更新您的许可证并刷新页面。",
"SSE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。 请联系您的账户管理员了解详情。",
"SSE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。 如果需要更多请考虑购买商业许可证。",
- "SSE.Controllers.Main.warnNoLicenseUsers": "此版本的 ONLYOFFICE 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
+ "SSE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。 如果需要更多,请考虑购买商用许可证。",
"SSE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。",
"SSE.Controllers.Search.textNoTextFound": "文本没找到",
"SSE.Controllers.Search.textReplaceAll": "全部替换",