diff --git a/apps/api/documents/api.js b/apps/api/documents/api.js index 4c0b2b05f..74667b038 100644 --- a/apps/api/documents/api.js +++ b/apps/api/documents/api.js @@ -65,6 +65,7 @@ saveAsUrl: 'folder for saving files' licenseUrl: , customerId: , + region: // can be 'en-us' or lang code user: { id: 'user id', diff --git a/apps/common/main/lib/component/ComboDataView.js b/apps/common/main/lib/component/ComboDataView.js index c10d000ca..a667aac1f 100644 --- a/apps/common/main/lib/component/ComboDataView.js +++ b/apps/common/main/lib/component/ComboDataView.js @@ -414,10 +414,11 @@ define([ } } - me.fieldPicker.store.reset([]); // remove all + var indexRec = store.indexOf(record); + if (indexRec < 0) + return; - var indexRec = store.indexOf(record), - countRec = store.length, + var countRec = store.length, maxViewCount = Math.floor(Math.max(fieldPickerEl.width(), me.minWidth) / (me.itemWidth + (me.itemMarginLeft || 0) + (me.itemMarginRight || 0) + (me.itemPaddingLeft || 0) + (me.itemPaddingRight || 0) + (me.itemBorderLeft || 0) + (me.itemBorderRight || 0))), newStyles = []; @@ -425,9 +426,6 @@ define([ if (fieldPickerEl.height() / me.itemHeight > 2) maxViewCount *= Math.floor(fieldPickerEl.height() / me.itemHeight); - if (indexRec < 0) - return; - indexRec = Math.floor(indexRec / maxViewCount) * maxViewCount; if (countRec - indexRec < maxViewCount) indexRec = Math.max(countRec - maxViewCount, 0); @@ -435,7 +433,7 @@ define([ newStyles.push(store.at(index)); } - me.fieldPicker.store.add(newStyles); + me.fieldPicker.store.reset(newStyles); } if (forceSelect) { diff --git a/apps/common/main/lib/component/Menu.js b/apps/common/main/lib/component/Menu.js index bb04c6b57..321f2813a 100644 --- a/apps/common/main/lib/component/Menu.js +++ b/apps/common/main/lib/component/Menu.js @@ -409,6 +409,10 @@ define([ }, onAfterKeydownMenu: function(e) { + this.trigger('keydown:before', this, e); + if (e.isDefaultPrevented()) + return; + if (e.keyCode == Common.UI.Keys.RETURN) { var li = $(e.target).closest('li'); if (li.length<=0) li = $(e.target).parent().find('li .dataview'); diff --git a/apps/common/main/lib/component/Mixtbar.js b/apps/common/main/lib/component/Mixtbar.js index ba690d3ec..96169d94e 100644 --- a/apps/common/main/lib/component/Mixtbar.js +++ b/apps/common/main/lib/component/Mixtbar.js @@ -286,6 +286,7 @@ define([ if ( $tp.length ) { $tp.addClass('active'); } + this.fireEvent('tab:active', [tab]); } }, diff --git a/apps/common/main/lib/controller/ReviewChanges.js b/apps/common/main/lib/controller/ReviewChanges.js index 9fe50e74d..f6c966be0 100644 --- a/apps/common/main/lib/controller/ReviewChanges.js +++ b/apps/common/main/lib/controller/ReviewChanges.js @@ -670,13 +670,13 @@ define([ } }); } else if (config.canViewReview) { - config.canViewReview = me.api.asc_HaveRevisionsChanges(true); // check revisions from all users + config.canViewReview = (config.isEdit || me.api.asc_HaveRevisionsChanges(true)); // check revisions from all users if (config.canViewReview) { var val = Common.localStorage.getItem(me.view.appPrefix + "review-mode"); if (val===null) val = me.appConfig.customization && /^(original|final|markup)$/i.test(me.appConfig.customization.reviewDisplay) ? me.appConfig.customization.reviewDisplay.toLocaleLowerCase() : 'original'; - me.turnDisplayMode(config.isRestrictedEdit ? 'markup' : val); // load display mode only in viewer - me.view.turnDisplayMode(config.isRestrictedEdit ? 'markup' : val); + me.turnDisplayMode((config.isEdit || config.isRestrictedEdit) ? 'markup' : val); // load display mode only in viewer + me.view.turnDisplayMode((config.isEdit || config.isRestrictedEdit) ? 'markup' : val); } } diff --git a/apps/common/main/lib/extend/Bootstrap.js b/apps/common/main/lib/extend/Bootstrap.js index ab8468c29..b7d4a582f 100755 --- a/apps/common/main/lib/extend/Bootstrap.js +++ b/apps/common/main/lib/extend/Bootstrap.js @@ -41,8 +41,8 @@ function onDropDownKeyDown(e) { var $this = $(this), $parent = $this.parent(), - beforeEvent = jQuery.Event('keydown.before.bs.dropdown'), - afterEvent = jQuery.Event('keydown.after.bs.dropdown'); + beforeEvent = jQuery.Event('keydown.before.bs.dropdown', {keyCode: e.keyCode}), + afterEvent = jQuery.Event('keydown.after.bs.dropdown', {keyCode: e.keyCode}); $parent.trigger(beforeEvent); @@ -110,8 +110,9 @@ function patchDropDownKeyDown(e) { _.delay(function() { var mnu = $('> [role=menu]', li), $subitems = mnu.find('> li:not(.divider):not(.disabled):visible > a'), - $dataviews = mnu.find('> li:not(.divider):not(.disabled):visible .dataview'); - if ($subitems.length>0 && $dataviews.length<1) + $dataviews = mnu.find('> li:not(.divider):not(.disabled):visible .dataview'), + $internal_menu = mnu.find('> li:not(.divider):not(.disabled):visible ul.internal-menu'); + if ($subitems.length>0 && $dataviews.length<1 && $internal_menu.length<1) ($subitems.index($subitems.filter(':focus'))<0) && $subitems.eq(0).focus(); }, 250); } diff --git a/apps/common/main/lib/util/LanguageInfo.js b/apps/common/main/lib/util/LanguageInfo.js index 442a913be..ee19f55bb 100644 --- a/apps/common/main/lib/util/LanguageInfo.js +++ b/apps/common/main/lib/util/LanguageInfo.js @@ -446,9 +446,11 @@ Common.util.LanguageInfo = new(function() { }, getLocalLanguageCode: function(name) { - for (var code in localLanguageName) { - if (localLanguageName[code][0].toLowerCase()===name.toLowerCase()) - return code; + if (name) { + for (var code in localLanguageName) { + if (localLanguageName[code][0].toLowerCase()===name.toLowerCase()) + return code; + } } return null; }, diff --git a/apps/common/main/lib/view/LanguageDialog.js b/apps/common/main/lib/view/LanguageDialog.js index 123e38dcb..45a06a46c 100644 --- a/apps/common/main/lib/view/LanguageDialog.js +++ b/apps/common/main/lib/view/LanguageDialog.js @@ -85,7 +85,7 @@ define([ this.cmbLanguage = new Common.UI.ComboBox({ el: $window.find('#id-document-language'), cls: 'input-group-nr', - menuStyle: 'min-width: 318px; max-height: 300px;', + menuStyle: 'min-width: 318px; max-height: 285px;', editable: false, template: _.template([ '', diff --git a/apps/common/main/resources/less/dropdown-menu.less b/apps/common/main/resources/less/dropdown-menu.less index 4391584d3..5aa203037 100644 --- a/apps/common/main/resources/less/dropdown-menu.less +++ b/apps/common/main/resources/less/dropdown-menu.less @@ -16,6 +16,15 @@ } } + &.internal-menu { + border: none; + border-radius: 0; + .box-shadow(none); + margin: 0; + padding: 0; + overflow: hidden; + } + li { & > a { padding: 5px 20px; diff --git a/apps/common/mobile/lib/controller/Collaboration.js b/apps/common/mobile/lib/controller/Collaboration.js index 673092e46..63d5296a4 100644 --- a/apps/common/mobile/lib/controller/Collaboration.js +++ b/apps/common/mobile/lib/controller/Collaboration.js @@ -209,7 +209,10 @@ define([ Common.Utils.addScrollIfNeed('.page[data-page=comments-view]', '.page[data-page=comments-view] .page-content'); } else { if(editor === 'DE' && !this.appConfig.canReview) { - $('#reviewing-settings').hide(); + this.canViewReview = me.api.asc_HaveRevisionsChanges(true); + if (!this.canViewReview) { + $('#reviewing-settings').hide(); + } } } }, @@ -282,6 +285,11 @@ define([ $('#settings-reject-all').removeClass('disabled'); $('#settings-review').removeClass('disabled'); } + if (!this.appConfig.canReview) { + $('#settings-review').hide(); + $('#settings-accept-all').hide(); + $('#settings-reject-all').hide(); + } }, onTrackChanges: function(e) { @@ -384,6 +392,10 @@ define([ $('#btn-prev-change').addClass('disabled'); $('#btn-next-change').addClass('disabled'); } + if (!this.appConfig.canReview) { + $('#btn-accept-change').addClass('disabled'); + $('#btn-reject-change').addClass('disabled'); + } }, onPrevChange: function() { diff --git a/apps/common/mobile/lib/view/Collaboration.js b/apps/common/mobile/lib/view/Collaboration.js index f8f57ca2c..a9d54cd89 100644 --- a/apps/common/mobile/lib/view/Collaboration.js +++ b/apps/common/mobile/lib/view/Collaboration.js @@ -147,41 +147,51 @@ define([ }, renderComments: function (comments) { - var $listComments = $('#comments-list'), - items = []; - - _.each(comments, function (comment) { - var itemTemplate = [ - '
  • ', - '
    ', - '

    <%= item.username %>

    ', - '

    <%= item.date %>

    ', - '<% if(item.quote) {%>', - '

    <%= item.quote %>

    ', - '<% } %>', - '

    <%= item.comment %>

    ', - '<% if(replys > 0) {%>', - '
      ', - '<% _.each(item.replys, function (reply) { %>', - '
    • ', - '

      <%= reply.username %>

      ', - '

      <%= reply.date %>

      ', - '

      <%= reply.reply %>

      ', - '
    • ', - '<% }); %>', - '
    ', - '<% } %>', - '
    ', - '
  • ' - ].join(''); - items.push(_.template(itemTemplate)({ - android: Framework7.prototype.device.android, - item: comment, - replys: comment.replys.length - })); - }); - - $listComments.html(items); + var $pageComments = $('.page-comments .page-content'); + if (!comments) { + if ($('.comment').length > 0) { + $('.comment').remove(); + } + var template = '
    ' + this.textNoComments + '
    '; + $pageComments.append(_.template(template)); + } else { + if ($('#no-comments').length > 0) { + $('#no-comments').remove(); + } + var $listComments = $('#comments-list'), + items = []; + _.each(comments, function (comment) { + var itemTemplate = [ + '
  • ', + '
    ', + '

    <%= item.username %>

    ', + '

    <%= item.date %>

    ', + '<% if(item.quote) {%>', + '

    <%= item.quote %>

    ', + '<% } %>', + '

    <%= item.comment %>

    ', + '<% if(replys > 0) {%>', + '
      ', + '<% _.each(item.replys, function (reply) { %>', + '
    • ', + '

      <%= reply.username %>

      ', + '

      <%= reply.date %>

      ', + '

      <%= reply.reply %>

      ', + '
    • ', + '<% }); %>', + '
    ', + '<% } %>', + '
    ', + '
  • ' + ].join(''); + items.push(_.template(itemTemplate)({ + android: Framework7.prototype.device.android, + item: comment, + replys: comment.replys.length, + })); + }); + $listComments.html(items); + } }, @@ -198,8 +208,8 @@ define([ textFinal: 'Final', textOriginal: 'Original', textChange: 'Review Change', - textEditUsers: 'Users' - + textEditUsers: 'Users', + textNoComments: "This document doesn\'t contain comments" } })(), Common.Views.Collaboration || {})) }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/controller/DocumentHolder.js b/apps/documenteditor/main/app/controller/DocumentHolder.js index 68271c84a..18f1a82d5 100644 --- a/apps/documenteditor/main/app/controller/DocumentHolder.js +++ b/apps/documenteditor/main/app/controller/DocumentHolder.js @@ -46,6 +46,19 @@ var c_paragraphLinerule = { LINERULE_EXACT: 2 }; +var c_paragraphSpecial = { + NONE_SPECIAL: 0, + FIRST_LINE: 1, + HANGING: 2 +}; + +var c_paragraphTextAlignment = { + RIGHT: 0, + LEFT: 1, + CENTERED: 2, + JUSTIFIED: 3 +}; + var c_pageNumPosition = { PAGE_NUM_POSITION_TOP: 0x01, PAGE_NUM_POSITION_BOTTOM: 0x02, diff --git a/apps/documenteditor/main/app/controller/Main.js b/apps/documenteditor/main/app/controller/Main.js index f1ffffc78..25986829a 100644 --- a/apps/documenteditor/main/app/controller/Main.js +++ b/apps/documenteditor/main/app/controller/Main.js @@ -1882,7 +1882,10 @@ define([ Common.Utils.ThemeColor.setColors(colors, standart_colors); if (window.styles_loaded) { this.updateThemeColors(); - this.fillTextArt(this.api.asc_getTextArtPreviews()); + var me = this; + setTimeout(function(){ + me.fillTextArt(me.api.asc_getTextArtPreviews()); + }, 1); } }, @@ -2121,6 +2124,17 @@ define([ this.beforeShowDummyComment = true; }, + DisableMailMerge: function() { + this.appOptions.mergeFolderUrl = ""; + var toolbarController = this.getApplication().getController('Toolbar'); + toolbarController && toolbarController.DisableMailMerge(); + }, + + DisableVersionHistory: function() { + this.editorConfig.canUseHistory = false; + this.appOptions.canUseHistory = false; + }, + leavePageText: 'You have unsaved changes in this document. Click \'Stay on this Page\' then \'Save\' to save them. Click \'Leave this Page\' to discard all the unsaved changes.', criticalErrorTitle: 'Error', notcriticalErrorTitle: 'Warning', diff --git a/apps/documenteditor/main/app/controller/Toolbar.js b/apps/documenteditor/main/app/controller/Toolbar.js index f093edef4..7bbd02381 100644 --- a/apps/documenteditor/main/app/controller/Toolbar.js +++ b/apps/documenteditor/main/app/controller/Toolbar.js @@ -310,6 +310,7 @@ define([ toolbar.btnCopyStyle.on('toggle', _.bind(this.onCopyStyleToggle, this)); toolbar.mnuPageSize.on('item:click', _.bind(this.onPageSizeClick, this)); toolbar.mnuColorSchema.on('item:click', _.bind(this.onColorSchemaClick, this)); + toolbar.mnuColorSchema.on('show:after', _.bind(this.onColorSchemaShow, this)); toolbar.btnMailRecepients.on('click', _.bind(this.onSelectRecepientsClick, this)); toolbar.mnuInsertChartPicker.on('item:click', _.bind(this.onSelectChart, this)); toolbar.mnuPageNumberPosPicker.on('item:click', _.bind(this.onInsertPageNumberClick, this)); @@ -1591,6 +1592,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(); + } + }, + onDropCapSelect: function(menu, item) { if (_.isUndefined(item.value)) return; @@ -2606,7 +2615,7 @@ define([ this.toolbar.btnRedo.setDisabled(this._state.can_redo!==true); this.toolbar.btnCopy.setDisabled(this._state.can_copycut!==true); this.toolbar.btnPrint.setDisabled(!this.toolbar.mode.canPrint); - if (this.toolbar.mode.fileChoiceUrl || this.toolbar.mode.canRequestMailMergeRecipients) + if (!this._state.mmdisable && (this.toolbar.mode.fileChoiceUrl || this.toolbar.mode.canRequestMailMergeRecipients)) this.toolbar.btnMailRecepients.setDisabled(false); this._state.activated = true; @@ -2614,6 +2623,11 @@ define([ this.onApiPageSize(props.get_W(), props.get_H()); }, + DisableMailMerge: function() { + this._state.mmdisable = true; + this.toolbar && this.toolbar.btnMailRecepients && this.toolbar.btnMailRecepients.setDisabled(true); + }, + updateThemeColors: function() { var updateColors = function(picker, defaultColorIndex) { if (picker) { @@ -2672,17 +2686,17 @@ define([ return; } - listStyles.menuPicker.store.reset([]); // remove all - + var arr = []; var mainController = this.getApplication().getController('Main'); _.each(styles.get_MergedStyles(), function(style){ - listStyles.menuPicker.store.add({ + arr.push({ imageUrl: style.asc_getImage(), title : style.get_Name(), tip : mainController.translationTable[style.get_Name()] || style.get_Name(), id : Common.UI.getId() }); }); + listStyles.menuPicker.store.reset(arr); // remove all if (listStyles.menuPicker.store.length > 0 && listStyles.rendered){ var styleRec; diff --git a/apps/documenteditor/main/app/template/ParagraphSettingsAdvanced.template b/apps/documenteditor/main/app/template/ParagraphSettingsAdvanced.template index 6dc19d04e..c510b0b83 100644 --- a/apps/documenteditor/main/app/template/ParagraphSettingsAdvanced.template +++ b/apps/documenteditor/main/app/template/ParagraphSettingsAdvanced.template @@ -1,23 +1,66 @@
    - - - - - - -
    - -
    -
    +
    +
    + +
    +
    +
    + +
    +
    +
    +
    +
    +
    -
    + +
    -
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + -
    + +
    @@ -44,15 +87,15 @@
    -
    +
    -
    -
    +
    +
    @@ -70,114 +113,94 @@
    -
    -
    - - - - - - - - - - - - - - - - - - - - - - - - - -
    - -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    - -
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    -
    + +
    -
    -
    -
    -
    -
    +
    +
    +
    +
    +
    -
    - -
    -
    -
    - -
    -
    -
    -
    -
    -
    - -
    -
    -
    - -
    -
    -
    -
    - - - -
    +
    + +
    + +
    +
    +
    + +
    +
    +
    + +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    + + + +
    - - - - - - - - - -
    +
    +
    -
    + +
    -
    + + +
    +
    -
    + +
    -
    +
    +
    \ No newline at end of file diff --git a/apps/documenteditor/main/app/view/DocumentHolder.js b/apps/documenteditor/main/app/view/DocumentHolder.js index bf9559677..3c435dd5e 100644 --- a/apps/documenteditor/main/app/view/DocumentHolder.js +++ b/apps/documenteditor/main/app/view/DocumentHolder.js @@ -2741,7 +2741,7 @@ define([ menu : new Common.UI.Menu({ cls: 'lang-menu', menuAlign: 'tl-tr', - restoreHeight: 300, + restoreHeight: 285, items : [], search: true }) @@ -3382,7 +3382,7 @@ define([ menu : new Common.UI.Menu({ cls: 'lang-menu', menuAlign: 'tl-tr', - restoreHeight: 300, + restoreHeight: 285, items : [], search: true }) diff --git a/apps/documenteditor/main/app/view/FileMenu.js b/apps/documenteditor/main/app/view/FileMenu.js index ef6aa6879..bbf120cf3 100644 --- a/apps/documenteditor/main/app/view/FileMenu.js +++ b/apps/documenteditor/main/app/view/FileMenu.js @@ -250,21 +250,20 @@ define([ }, applyMode: function() { - this.miPrint[this.mode.canPrint?'show':'hide'](); - this.miRename[(this.mode.canRename && !this.mode.isDesktopApp) ?'show':'hide'](); - this.miProtect[this.mode.canProtect ?'show':'hide'](); - this.miProtect.$el.find('+.devider')[!this.mode.isDisconnected?'show':'hide'](); - this.miRecent[this.mode.canOpenRecent?'show':'hide'](); - this.miNew[this.mode.canCreateNew?'show':'hide'](); - this.miNew.$el.find('+.devider')[this.mode.canCreateNew?'show':'hide'](); - this.miDownload[((this.mode.canDownload || this.mode.canDownloadOrigin) && (!this.mode.isDesktopApp || !this.mode.isOffline))?'show':'hide'](); this.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/FileMenuPanels.js b/apps/documenteditor/main/app/view/FileMenuPanels.js index c90f4a776..2538460a4 100644 --- a/apps/documenteditor/main/app/view/FileMenuPanels.js +++ b/apps/documenteditor/main/app/view/FileMenuPanels.js @@ -726,14 +726,14 @@ define([ // '', // '', // '', - '', - '', - '
    ', - '', '', '', '
    ', '', + '', + '', + '
    ', + '', '', '', '
    ', diff --git a/apps/documenteditor/main/app/view/ParagraphSettings.js b/apps/documenteditor/main/app/view/ParagraphSettings.js index e9e931b85..1814951ca 100644 --- a/apps/documenteditor/main/app/view/ParagraphSettings.js +++ b/apps/documenteditor/main/app/view/ParagraphSettings.js @@ -183,8 +183,9 @@ define([ setApi: function(api) { this.api = api; - if (this.api) + if (this.api) { this.api.asc_registerCallback('asc_onParaSpacingLine', _.bind(this._onLineSpacing, this)); + } return this; }, diff --git a/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js b/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js index 15bdcfbfc..243acbb1a 100644 --- a/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js @@ -51,17 +51,19 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem DE.Views.ParagraphSettingsAdvanced = Common.Views.AdvancedSettingsWindow.extend(_.extend({ options: { - contentWidth: 335, + contentWidth: 370, height: 394, toggleGroup: 'paragraph-adv-settings-group', storageName: 'de-para-settings-adv-category' }, initialize : function(options) { + var me = this; _.extend(this.options, { title: this.textTitle, items: [ {panelId: 'id-adv-paragraph-indents', panelCaption: this.strParagraphIndents}, + {panelId: 'id-adv-paragraph-line', panelCaption: this.strParagraphLine}, {panelId: 'id-adv-paragraph-borders', panelCaption: this.strBorders}, {panelId: 'id-adv-paragraph-font', panelCaption: this.strParagraphFont}, {panelId: 'id-adv-paragraph-tabs', panelCaption: this.strTabs}, @@ -84,6 +86,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.Margins = undefined; this.FirstLine = undefined; this.LeftIndent = undefined; + this.Spacing = null; this.spinners = []; this.tableStylerRows = this.options.tableStylerRows; @@ -92,6 +95,55 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.api = this.options.api; this._originalProps = new Asc.asc_CParagraphProperty(this.options.paragraphProps); this.isChart = this.options.isChart; + + this.CurLineRuleIdx = this._originalProps.get_Spacing().get_LineRule(); + + this._arrLineRule = [ + {displayValue: this.textAtLeast,defaultValue: 5, value: c_paragraphLinerule.LINERULE_LEAST, minValue: 0.03, step: 0.01, defaultUnit: 'cm'}, + {displayValue: this.textAuto, defaultValue: 1, value: c_paragraphLinerule.LINERULE_AUTO, minValue: 0.5, step: 0.01, defaultUnit: ''}, + {displayValue: this.textExact, defaultValue: 5, value: c_paragraphLinerule.LINERULE_EXACT, minValue: 0.03, step: 0.01, defaultUnit: 'cm'} + ]; + + this._arrSpecial = [ + {displayValue: this.textNoneSpecial, value: c_paragraphSpecial.NONE_SPECIAL, defaultValue: 0}, + {displayValue: this.textFirstLine, value: c_paragraphSpecial.FIRST_LINE, defaultValue: 12.7}, + {displayValue: this.textHanging, value: c_paragraphSpecial.HANGING, defaultValue: 12.7} + ]; + this.CurSpecial = undefined; + + this._arrTextAlignment = [ + {displayValue: this.textTabLeft, value: c_paragraphTextAlignment.LEFT}, + {displayValue: this.textTabCenter, value: c_paragraphTextAlignment.CENTERED}, + {displayValue: this.textTabRight, value: c_paragraphTextAlignment.RIGHT}, + {displayValue: this.textJustified, value: c_paragraphTextAlignment.JUSTIFIED} + ]; + + this._arrOutlinelevel = [{displayValue: this.textBodyText, value: -1}]; + for (var i=0; i<9; i++) { + this._arrOutlinelevel.push({displayValue: this.textLevel + ' ' + (i+1), value: i}); + } + + this._arrTabAlign = [ + { value: 1, displayValue: this.textTabLeft }, + { value: 3, displayValue: this.textTabCenter }, + { value: 2, displayValue: this.textTabRight } + ]; + this._arrKeyTabAlign = []; + this._arrTabAlign.forEach(function(item) { + me._arrKeyTabAlign[item.value] = item.displayValue; + }); + + this._arrTabLeader = [ + { value: Asc.c_oAscTabLeader.None, displayValue: this.textNone }, + { value: Asc.c_oAscTabLeader.Dot, displayValue: '....................' }, + { value: Asc.c_oAscTabLeader.Hyphen, displayValue: '-----------------' }, + { value: Asc.c_oAscTabLeader.MiddleDot, displayValue: '·················' }, + { value: Asc.c_oAscTabLeader.Underscore,displayValue: '__________' } + ]; + this._arrKeyTabLeader = []; + this._arrTabLeader.forEach(function(item) { + me._arrKeyTabLeader[item.value] = item.displayValue; + }); }, render: function() { @@ -101,25 +153,6 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem // Indents & Placement - this.numFirstLine = new Common.UI.MetricSpinner({ - el: $('#paragraphadv-spin-first-line'), - step: .1, - width: 85, - defaultUnit : "cm", - defaultValue : 0, - value: '0 cm', - maxValue: 55.87, - minValue: -55.87 - }); - this.numFirstLine.on('change', _.bind(function(field, newValue, oldValue, eOpts){ - if (this._changedProps) { - if (this._changedProps.get_Ind()===null || this._changedProps.get_Ind()===undefined) - this._changedProps.put_Ind(new Asc.asc_CParagraphInd()); - this._changedProps.get_Ind().put_FirstLine(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue())); - } - }, this)); - this.spinners.push(this.numFirstLine); - this.numIndentsLeft = new Common.UI.MetricSpinner({ el: $('#paragraphadv-spin-indent-left'), step: .1, @@ -158,6 +191,121 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem }, this)); this.spinners.push(this.numIndentsRight); + this.numSpacingBefore = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-spacing-before'), + step: .1, + width: 85, + value: '', + defaultUnit : "cm", + maxValue: 55.88, + minValue: 0, + allowAuto : true, + autoText : this.txtAutoText + }); + this.numSpacingBefore.on('change', _.bind(function (field, newValue, oldValue, eOpts) { + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.get_Spacing(); + } + this.Spacing.Before = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); + }, this)); + this.spinners.push(this.numSpacingBefore); + + this.numSpacingAfter = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-spacing-after'), + step: .1, + width: 85, + value: '', + defaultUnit : "cm", + maxValue: 55.88, + minValue: 0, + allowAuto : true, + autoText : this.txtAutoText + }); + this.numSpacingAfter.on('change', _.bind(function (field, newValue, oldValue, eOpts) { + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.get_Spacing(); + } + this.Spacing.After = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); + }, this)); + this.spinners.push(this.numSpacingAfter); + + this.cmbLineRule = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-line-rule'), + cls: 'input-group-nr', + editable: false, + data: this._arrLineRule, + style: 'width: 85px;', + menuStyle : 'min-width: 85px;' + }); + this.cmbLineRule.setValue(this.CurLineRuleIdx); + this.cmbLineRule.on('selected', _.bind(this.onLineRuleSelect, this)); + + this.numLineHeight = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-line-height'), + step: .01, + width: 85, + value: '', + defaultUnit : "", + maxValue: 132, + minValue: 0.5 + }); + this.spinners.push(this.numLineHeight); + this.numLineHeight.on('change', _.bind(this.onNumLineHeightChange, this)); + + this.chAddInterval = new Common.UI.CheckBox({ + el: $('#paragraphadv-checkbox-add-interval'), + labelText: this.strSomeParagraphSpace + }); + + this.cmbSpecial = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-special'), + cls: 'input-group-nr', + editable: false, + data: this._arrSpecial, + style: 'width: 85px;', + menuStyle : 'min-width: 85px;' + }); + this.cmbSpecial.setValue(''); + this.cmbSpecial.on('selected', _.bind(this.onSpecialSelect, this)); + + this.numSpecialBy = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-special-by'), + step: .1, + width: 85, + defaultUnit : "cm", + defaultValue : 0, + value: '0 cm', + maxValue: 55.87, + minValue: 0 + }); + this.spinners.push(this.numSpecialBy); + this.numSpecialBy.on('change', _.bind(this.onFirstLineChange, this)); + + this.cmbTextAlignment = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-text-alignment'), + cls: 'input-group-nr', + editable: false, + data: this._arrTextAlignment, + style: 'width: 173px;', + menuStyle : 'min-width: 173px;' + }); + this.cmbTextAlignment.setValue(''); + + this.cmbOutlinelevel = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-outline-level'), + cls: 'input-group-nr', + editable: false, + data: this._arrOutlinelevel, + style: 'width: 174px;', + menuStyle : 'min-width: 174px;' + }); + this.cmbOutlinelevel.setValue(-1); + this.cmbOutlinelevel.on('selected', _.bind(this.onOutlinelevelSelect, this)); + + // Line & Page Breaks + this.chBreakBefore = new Common.UI.CheckBox({ el: $('#paragraphadv-checkbox-break-before'), labelText: this.strBreakBefore @@ -326,7 +474,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.numSpacing = new Common.UI.MetricSpinner({ el: $('#paragraphadv-spin-spacing'), step: .01, - width: 100, + width: 90, defaultUnit : "cm", defaultValue : 0, value: '0 cm', @@ -348,7 +496,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.numPosition = new Common.UI.MetricSpinner({ el: $('#paragraphadv-spin-position'), step: .01, - width: 100, + width: 90, defaultUnit : "cm", defaultValue : 0, value: '0 cm', @@ -371,7 +519,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.numTab = new Common.UI.MetricSpinner({ el: $('#paraadv-spin-tab'), step: .1, - width: 180, + width: 108, defaultUnit : "cm", value: '1.25 cm', maxValue: 55.87, @@ -382,7 +530,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.numDefaultTab = new Common.UI.MetricSpinner({ el: $('#paraadv-spin-default-tab'), step: .1, - width: 107, + width: 108, defaultUnit : "cm", value: '1.25 cm', maxValue: 55.87, @@ -398,7 +546,15 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.tabList = new Common.UI.ListView({ el: $('#paraadv-list-tabs'), emptyText: this.noTabs, - store: new Common.UI.DataViewStore() + store: new Common.UI.DataViewStore(), + template: _.template(['
    '].join('')), + itemTemplate: _.template([ + '
    ', + '
    <%= value %>
    ', + '
    <%= displayTabAlign %>
    ', + '
    <%= displayTabLeader %>
    ', + '
    ' + ].join('')) }); this.tabList.store.comparator = function(rec) { return rec.get("tabPos"); @@ -415,31 +571,21 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.cmbAlign = new Common.UI.ComboBox({ el : $('#paraadv-cmb-align'), - style : 'width: 85px;', - menuStyle : 'min-width: 85px;', + style : 'width: 108px;', + menuStyle : 'min-width: 108px;', editable : false, cls : 'input-group-nr', - data : [ - { value: 1, displayValue: this.textTabLeft }, - { value: 3, displayValue: this.textTabCenter }, - { value: 2, displayValue: this.textTabRight } - ] + data : this._arrTabAlign }); this.cmbAlign.setValue(1); this.cmbLeader = new Common.UI.ComboBox({ el : $('#paraadv-cmb-leader'), - style : 'width: 85px;', - menuStyle : 'min-width: 85px;', + style : 'width: 108px;', + menuStyle : 'min-width: 108px;', editable : false, cls : 'input-group-nr', - data : [ - { value: Asc.c_oAscTabLeader.None, displayValue: this.textNone }, - { value: Asc.c_oAscTabLeader.Dot, displayValue: '....................' }, - { value: Asc.c_oAscTabLeader.Hyphen, displayValue: '-----------------' }, - { value: Asc.c_oAscTabLeader.MiddleDot, displayValue: '·················' }, - { value: Asc.c_oAscTabLeader.Underscore,displayValue: '__________' } - ] + data : this._arrTabLeader }); this.cmbLeader.setValue(Asc.c_oAscTabLeader.None); @@ -600,6 +746,16 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem } } + if (this.Spacing !== null) { + this._changedProps.asc_putSpacing(this.Spacing); + } + + var spaceBetweenPrg = this.chAddInterval.getValue(); + this._changedProps.asc_putContextualSpacing(spaceBetweenPrg == 'checked'); + + var horizontalAlign = this.cmbTextAlignment.getValue(); + this._changedProps.asc_putJc((horizontalAlign !== undefined && horizontalAlign !== null) ? horizontalAlign : c_paragraphTextAlignment.LEFT); + return { paragraphProps: this._changedProps, borderProps: {borderSize: this.BorderSize, borderColor: this.btnBorderColor.color} }; }, @@ -610,13 +766,34 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.hideTextOnlySettings(this.isChart); this.FirstLine = (props.get_Ind() !== null) ? props.get_Ind().get_FirstLine() : null; - this.numFirstLine.setValue(this.FirstLine!== null ? Common.Utils.Metric.fnRecalcFromMM(this.FirstLine) : '', true); this.LeftIndent = (props.get_Ind() !== null) ? props.get_Ind().get_Left() : null; if (this.FirstLine<0 && this.LeftIndent !== null) this.LeftIndent = this.LeftIndent + this.FirstLine; this.numIndentsLeft.setValue(this.LeftIndent!==null ? Common.Utils.Metric.fnRecalcFromMM(this.LeftIndent) : '', true); this.numIndentsRight.setValue((props.get_Ind() !== null && props.get_Ind().get_Right() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Right()) : '', true); + this.numSpacingBefore.setValue((props.get_Spacing() !== null && props.get_Spacing().get_Before() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_Before()) : '', true); + this.numSpacingAfter.setValue((props.get_Spacing() !== null && props.get_Spacing().get_After() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_After()) : '', true); + + var linerule = props.get_Spacing().get_LineRule(); + this.cmbLineRule.setValue((linerule !== null) ? linerule : '', true); + + if(props.get_Spacing() !== null && props.get_Spacing().get_Line() !== null) { + this.numLineHeight.setValue((linerule==c_paragraphLinerule.LINERULE_AUTO) ? props.get_Spacing().get_Line() : Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_Line()), true); + } else { + this.numLineHeight.setValue('', true); + } + + this.chAddInterval.setValue((props.get_ContextualSpacing() !== null && props.get_ContextualSpacing() !== undefined) ? props.get_ContextualSpacing() : 'indeterminate', true); + + if(this.CurSpecial === undefined) { + this.CurSpecial = (props.get_Ind().get_FirstLine() === 0) ? c_paragraphSpecial.NONE_SPECIAL : ((props.get_Ind().get_FirstLine() > 0) ? c_paragraphSpecial.FIRST_LINE : c_paragraphSpecial.HANGING); + } + this.cmbSpecial.setValue(this.CurSpecial); + this.numSpecialBy.setValue(this.FirstLine!== null ? Math.abs(Common.Utils.Metric.fnRecalcFromMM(this.FirstLine)) : '', true); + + this.cmbTextAlignment.setValue((props.get_Jc() !== undefined && props.get_Jc() !== null) ? props.get_Jc() : c_paragraphTextAlignment.LEFT, true); + this.chKeepLines.setValue((props.get_KeepLines() !== null && props.get_KeepLines() !== undefined) ? props.get_KeepLines() : 'indeterminate', true); this.chBreakBefore.setValue((props.get_PageBreakBefore() !== null && props.get_PageBreakBefore() !== undefined) ? props.get_PageBreakBefore() : 'indeterminate', true); @@ -702,7 +879,9 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem tabPos: pos, value: parseFloat(pos.toFixed(3)) + ' ' + Common.Utils.Metric.getCurrentMetricName(), tabAlign: tab.get_Value(), - tabLeader: tab.asc_getLeader() + tabLeader: tab.get_Leader(), + displayTabLeader: this._arrKeyTabLeader[tab.get_Leader()], + displayTabAlign: this._arrKeyTabAlign[tab.get_Value()] }); arr.push(rec); } @@ -711,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(); @@ -723,13 +905,19 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem for (var i=0; i 0 ) { + this.CurSpecial = c_paragraphSpecial.FIRST_LINE; + this.cmbSpecial.setValue(c_paragraphSpecial.FIRST_LINE); + } else if (value === 0) { + this.CurSpecial = c_paragraphSpecial.NONE_SPECIAL; + this.cmbSpecial.setValue(c_paragraphSpecial.NONE_SPECIAL); + } + this._changedProps.get_Ind().put_FirstLine(value); + } + }, + + onOutlinelevelSelect: function(combo, record) { + if (this._changedProps) { + this._changedProps.put_OutlineLvl(record.value>-1 ? record.value: null); + } }, textTitle: 'Paragraph - Advanced Settings', - strIndentsFirstLine: 'First line', strIndentsLeftText: 'Left', strIndentsRightText: 'Right', - strParagraphIndents: 'Indents & Placement', + strParagraphIndents: 'Indents & Spacing', strParagraphPosition: 'Placement', strParagraphFont: 'Font', strBreakBefore: 'Page break before', @@ -1217,6 +1487,26 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem tipOuter: 'Set Outer Border Only', noTabs: 'The specified tabs will appear in this field', textLeader: 'Leader', - textNone: 'None' + textNone: 'None', + strParagraphLine: 'Line & Page Breaks', + strIndentsSpacingBefore: 'Before', + strIndentsSpacingAfter: 'After', + strIndentsLineSpacing: 'Line Spacing', + txtAutoText: 'Auto', + textAuto: 'Multiple', + textAtLeast: 'At least', + textExact: 'Exactly', + strSomeParagraphSpace: 'Don\'t add interval between paragraphs of the same style', + strIndentsSpecial: 'Special', + textNoneSpecial: '(none)', + textFirstLine: 'First line', + textHanging: 'Hanging', + textJustified: 'Justified', + textBodyText: 'Basic Text', + textLevel: 'Level', + strIndentsOutlinelevel: 'Outline level', + strIndent: 'Indents', + strSpacing: 'Spacing' + }, DE.Views.ParagraphSettingsAdvanced || {})); }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/view/Statusbar.js b/apps/documenteditor/main/app/view/Statusbar.js index f0fa2212a..f8131e80d 100644 --- a/apps/documenteditor/main/app/view/Statusbar.js +++ b/apps/documenteditor/main/app/view/Statusbar.js @@ -231,7 +231,7 @@ define([ this.langMenu = new Common.UI.Menu({ cls: 'lang-menu', style: 'margin-top:-5px;', - restoreHeight: 300, + restoreHeight: 285, itemTemplate: _.template([ '', '', diff --git a/apps/documenteditor/main/app/view/StyleTitleDialog.js b/apps/documenteditor/main/app/view/StyleTitleDialog.js index 9a0deabee..238efe689 100644 --- a/apps/documenteditor/main/app/view/StyleTitleDialog.js +++ b/apps/documenteditor/main/app/view/StyleTitleDialog.js @@ -71,6 +71,7 @@ define([ ].join(''); this.options.tpl = _.template(this.template)(this.options); + this.options.formats = this.options.formats || []; Common.UI.Window.prototype.initialize.call(this, this.options); }, @@ -100,6 +101,7 @@ define([ $window.find('.dlg-btn').on('click', _.bind(this.onBtnClick, this)); + this.options.formats.unshift({value: -1, displayValue: this.txtSameAs}); this.cmbNextStyle = new Common.UI.ComboBox({ el : $('#id-dlg-style-next-par'), style : 'width: 100%;', @@ -109,8 +111,7 @@ define([ data : this.options.formats, disabled : (this.options.formats.length==0) }); - if (this.options.formats.length>0) - this.cmbNextStyle.setValue(this.options.formats[0].value); + this.cmbNextStyle.setValue(-1); }, show: function() { @@ -128,8 +129,8 @@ define([ }, getNextStyle: function () { - var me = this; - return (me.options.formats.length>0) ? me.cmbNextStyle.getValue() : null; + var val = this.cmbNextStyle.getValue(); + return (val!=-1) ? val : null; }, onBtnClick: function(event) { @@ -161,7 +162,8 @@ define([ textHeader: 'Create New Style', txtEmpty: 'This field is required', txtNotEmpty: 'Field must not be empty', - textNextStyle: 'Next paragraph style' + textNextStyle: 'Next paragraph style', + txtSameAs: 'Same as created new style' }, DE.Views.StyleTitleDialog || {})) 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/app/view/WatermarkSettingsDialog.js b/apps/documenteditor/main/app/view/WatermarkSettingsDialog.js index 495ef6850..e4174cfc5 100644 --- a/apps/documenteditor/main/app/view/WatermarkSettingsDialog.js +++ b/apps/documenteditor/main/app/view/WatermarkSettingsDialog.js @@ -49,12 +49,11 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', DE.Views.WatermarkText = new(function() { var langs; var _get = function() { - if (langs) - return langs; - + return langs; + }; + var _load = function(callback) { langs = []; - try { - var langJson = Common.Utils.getConfigJson('resources/watermark/wm-text.json'); + Common.Utils.loadConfig('resources/watermark/wm-text.json', function (langJson) { for (var lang in langJson) { var val = Common.util.LanguageInfo.getLocalLanguageCode(lang); if (val) { @@ -66,14 +65,12 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', if (a.shortname > b.shortname) return 1; return 0; }); - } - catch (e) { - } - - return langs; + callback && callback(langs); + }); }; return { - get: _get + get: _get, + load: _load }; })(); @@ -114,7 +111,8 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', this.textControls = []; this.imageControls = []; this.fontName = 'Arial'; - this.lang = 'en'; + this.lang = {value: 'en', displayValue: 'English'}; + this.text = ''; this.isAutoColor = false; this.isImageLoaded = false; @@ -209,6 +207,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', scrollAlwaysVisible: true, data : [] }).on('selected', _.bind(this.onSelectLang, this)); + this.cmbLang.setValue(Common.util.LanguageInfo.getLocalLanguageName(9)[1]);//en this.textControls.push(this.cmbLang); this.cmbText = new Common.UI.ComboBox({ @@ -422,18 +421,27 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', }, loadLanguages: function() { - this.languages = DE.Views.WatermarkText.get(); - var data = []; - this.languages && this.languages.forEach(function(item) { - data.push({displayValue: item.name, value: item.shortname, wmtext: item.text}); - }); - this.cmbLang.setData(data); - if (data.length) { - var item = this.cmbLang.store.findWhere({value: this.lang}) || this.cmbLang.store.at(0); - this.cmbLang.setValue(this.lang); - this.onSelectLang(this.cmbLang, item.toJSON()); - } else - this.cmbLang.setDisabled(true); + var me = this; + var callback = function(languages) { + var data = []; + me.languages = languages; + me.languages && me.languages.forEach(function(item) { + data.push({displayValue: item.name, value: item.shortname, wmtext: item.text}); + }); + if (data.length) { + me.cmbLang.setData(data); + me.cmbLang.setValue(me.lang.displayValue); + me.loadWMText(me.lang.value); + me.cmbLang.setDisabled(!me.radioText.getValue()); + me.text && me.cmbText.setValue(me.text); + } else + me.cmbLang.setDisabled(true); + }; + var languages = DE.Views.WatermarkText.get(); + if (languages) + callback(languages); + else + DE.Views.WatermarkText.load(callback); }, onSelectLang: function(combo, record) { @@ -443,9 +451,11 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', record.wmtext.forEach(function(item) { data.push({value: item}); }); - this.lang = record.value; - this.cmbText.setData(data); - this.cmbText.setValue(data[0].value); + this.lang = record; + if (data.length>0) { + this.cmbText.setData(data); + this.cmbText.setValue(data[0].value); + } }, loadWMText: function(lang) { @@ -463,8 +473,10 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', item && item.get('wmtext').forEach(function(item) { data.push({value: item}); }); - this.cmbText.setData(data); - this.cmbText.setValue(data[0].value); + if (data.length>0) { + this.cmbText.setData(data); + this.cmbText.setValue(data[0].value); + } }, insertFromUrl: function() { @@ -504,7 +516,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', val = props.get_TextPr(); if (val) { var lang = Common.util.LanguageInfo.getLocalLanguageName(val.get_Lang()); - this.lang = lang[0]; + this.lang = {value: lang[0], displayValue: lang[1]}; this.cmbLang.setValue(lang[1]); this.loadWMText(lang[0]); @@ -555,6 +567,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', } val = props.get_Text(); val && this.cmbText.setValue(val); + this.text = val || ''; } this.disableControls(type); } @@ -584,7 +597,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', val.put_Underline(this.btnUnderline.pressed); val.put_Strikeout(this.btnStrikeout.pressed); - val.put_Lang(parseInt(Common.util.LanguageInfo.getLocalLanguageCode(this.lang))); + val.put_Lang(parseInt(Common.util.LanguageInfo.getLocalLanguageCode(this.lang.value))); var color = new Asc.asc_CColor(); if (this.isAutoColor) { @@ -610,7 +623,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', _.each(this.textControls, function(item) { item.setDisabled(disable); }); - this.cmbLang.setDisabled(disable || this.languages.length<1); + this.cmbLang.setDisabled(disable || !this.languages || this.languages.length<1); this.btnOk.setDisabled(type==Asc.c_oAscWatermarkType.Image && !this.isImageLoaded); }, diff --git a/apps/documenteditor/main/locale/bg.json b/apps/documenteditor/main/locale/bg.json index 41b950d64..07d62b2c7 100644 --- a/apps/documenteditor/main/locale/bg.json +++ b/apps/documenteditor/main/locale/bg.json @@ -340,7 +340,7 @@ "DE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права.
    Моля, свържете се с администратора на сървъра за документи.", "DE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Документът не може да бъде редактиран в момента.", - "DE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи
    тук ", + "DE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук", "DE.Controllers.Main.errorDatabaseConnection": "Външна грешка.
    Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка, в случай че грешката продължава.", "DE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да бъдат дешифрирани.", "DE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.", @@ -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 41a4f5484..d6f6aecca 100644 --- a/apps/documenteditor/main/locale/cs.json +++ b/apps/documenteditor/main/locale/cs.json @@ -250,7 +250,7 @@ "DE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.
    Prosím, kontaktujte administrátora vašeho Dokumentového serveru.", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Spojení se serverem ztraceno. Dokument nyní nelze upravovat.", - "DE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "DE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.
    Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.

    Více informací o připojení najdete v Dokumentovém serveru here", "DE.Controllers.Main.errorDatabaseConnection": "Externí chyba.
    Chyba spojení s databází. Prosím kontaktujte podporu, pokud chyba přetrvává.", "DE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", @@ -360,7 +360,7 @@ "DE.Controllers.Main.warnBrowserIE9": "Aplikace má slabou podporu v IE9. Použíjte IE10 nebo vyšší", "DE.Controllers.Main.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 5f6a5875d..67c6cd4d3 100644 --- a/apps/documenteditor/main/locale/de.json +++ b/apps/documenteditor/main/locale/de.json @@ -340,7 +340,7 @@ "DE.Controllers.Main.errorAccessDeny": "Sie haben versucht die Änderungen im Dokument, zu dem Sie keine Berechtigungen haben, vorzunehemen.
    Wenden Sie sich an Ihren Serveradministrator.", "DE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Das Dokument kann momentan nicht bearbeitet werden.", - "DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", + "DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", "DE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.
    Fehler beim Verbinden zur Datenbank. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.", "DE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", "DE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", @@ -659,8 +659,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet.
    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 7cd8e0b87..fe28eb861 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,34 +1708,53 @@ "DE.Views.ParagraphSettingsAdvanced.strBorders": "Borders & Fill", "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Page break before", "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough", - "DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line", + "DE.Views.ParagraphSettingsAdvanced.strIndent": "Indents", + "del_DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "First Line", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left", + "DE.Views.ParagraphSettingsAdvanced.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 & Placement", + "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", @@ -1756,6 +1775,7 @@ "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.txtAutoText": "Auto", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "No borders", "DE.Views.RightMenu.txtChartSettings": "Chart settings", "DE.Views.RightMenu.txtHeaderFooterSettings": "Header and footer settings", @@ -1772,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", @@ -1823,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", @@ -1853,6 +1873,7 @@ "DE.Views.StyleTitleDialog.textTitle": "Title", "DE.Views.StyleTitleDialog.txtEmpty": "This field is required", "DE.Views.StyleTitleDialog.txtNotEmpty": "Field must not be empty", + "DE.Views.StyleTitleDialog.txtSameAs": "Same as created new style", "DE.Views.TableFormulaDialog.cancelButtonText": "Cancel", "DE.Views.TableFormulaDialog.okButtonText": "OK", "DE.Views.TableFormulaDialog.textBookmark": "Paste Bookmark", diff --git a/apps/documenteditor/main/locale/es.json b/apps/documenteditor/main/locale/es.json index 2c1af89a4..00be95128 100644 --- a/apps/documenteditor/main/locale/es.json +++ b/apps/documenteditor/main/locale/es.json @@ -341,7 +341,7 @@ "DE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.
    Por favor, contacte con el Administrador del Servidor de Documentos.", "DE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Se ha perdido la conexión con servidor. El documento no puede ser editado ahora.", - "DE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de la conexión o póngase en contacto con su administrador.
    Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.

    Encuentre más información acerca de conexión de Servidor de Documentos aquí", + "DE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de conexión o póngase en contacto con su administrador.
    Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.

    Encuentre más información acerca de la conexión de Servidor de Documentos aquí", "DE.Controllers.Main.errorDatabaseConnection": "Error externo.
    Error de conexión de base de datos. Por favor póngase en contacto con soporte si el error se mantiene.", "DE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", "DE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.", diff --git a/apps/documenteditor/main/locale/fr.json b/apps/documenteditor/main/locale/fr.json index 7c5841b12..8836db53d 100644 --- a/apps/documenteditor/main/locale/fr.json +++ b/apps/documenteditor/main/locale/fr.json @@ -341,7 +341,7 @@ "DE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.
    Veuillez contacter l'administrateur de Document Server.", "DE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Connexion au serveur perdue. Le document ne peut être modifié en ce moment.", - "DE.Controllers.Main.errorConnectToServer": "Le document n'a pas pu être enregistré. Veuillez vérifier les paramètres de connexion ou contactez votre administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion de Document Serverici", + "DE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion au Serveur de Documents ici", "DE.Controllers.Main.errorDatabaseConnection": "Erreur externe.
    Erreur de connexion à la base de données. Si l'erreur persiste veillez contactez l'assistance technique.", "DE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.", "DE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", @@ -660,8 +660,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées a été dépassée et le document sera ouvert en mode lecture seule.
    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 55a3f56f1..79648d6e5 100644 --- a/apps/documenteditor/main/locale/hu.json +++ b/apps/documenteditor/main/locale/hu.json @@ -333,7 +333,7 @@ "DE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.
    Vegye fel a kapcsolatot a Document Server adminisztrátorával.", "DE.Controllers.Main.errorBadImageUrl": "Hibás kép URL", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Elveszett a kapcsolat a szerverrel. A dokumentum jelenleg nem szerkeszthető.", - "DE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.
    Ha az 'OK'-ra kattint letöltheti a dokumentumot.

    Bővebb információk a Dokumentum Szerverhez kapcsolódásról itt találhat.", + "DE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.
    Ha az 'OK'-ra kattint letöltheti a dokumentumot.

    Bővebb információk a Dokumentum Szerverhez kapcsolódásról itt találhat.", "DE.Controllers.Main.errorDatabaseConnection": "Külső hiba.
    Adatbázis-kapcsolati hiba. Ha a hiba továbbra is fennáll, lépjen kapcsolatba a rendszer támogatással.", "DE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.", "DE.Controllers.Main.errorDataRange": "Hibás adattartomány.", @@ -583,8 +583,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.
    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 819144a4d..adba75904 100644 --- a/apps/documenteditor/main/locale/it.json +++ b/apps/documenteditor/main/locale/it.json @@ -326,6 +326,7 @@ "DE.Controllers.LeftMenu.textNoTextFound": "I dati da cercare non sono stati trovati. Modifica i parametri di ricerca.", "DE.Controllers.LeftMenu.textReplaceSkipped": "La sostituzione è stata effettuata. {0} occorrenze sono state saltate.", "DE.Controllers.LeftMenu.textReplaceSuccess": "La ricerca è stata effettuata. Occorrenze sostituite: {0}", + "DE.Controllers.LeftMenu.txtCompatible": "Il documento verrà salvato nel nuovo formato questo consentirà di utilizzare tutte le funzionalità dell'editor, ma potrebbe influire sul layout del documento.
    Utilizzare l'opzione \"Compatibilità\" nelle impostazioni avanzate se si desidera rendere i file compatibili con le versioni precedenti di MS Word.", "DE.Controllers.LeftMenu.txtUntitled": "Senza titolo", "DE.Controllers.LeftMenu.warnDownloadAs": "Se continua a salvare in questo formato tutte le caratteristiche tranne il testo saranno perse.
    Sei sicuro di voler continuare?", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Se si continua a salvare in questo formato, parte della formattazione potrebbe andare persa.
    Vuoi continuare?", @@ -342,7 +343,7 @@ "DE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.
    Si prega di contattare l'amministratore del Server dei Documenti.", "DE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Connessione al server persa. Impossibile modificare il documento.", - "DE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", + "DE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", "DE.Controllers.Main.errorDatabaseConnection": "Errore esterno.
    Errore di connessione a banca dati. Si prega di contattare l'assistenza tecnica nel caso in cui l'errore persiste.", "DE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.", "DE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.", @@ -661,8 +662,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione.
    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", @@ -1188,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", @@ -1250,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", @@ -1403,9 +1406,11 @@ "DE.Views.FileMenuPanels.Settings.textAlignGuides": "Guide di allineamento", "DE.Views.FileMenuPanels.Settings.textAutoRecover": "Recupero automatico", "DE.Views.FileMenuPanels.Settings.textAutoSave": "Salvataggio automatico", + "DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibilità", "DE.Views.FileMenuPanels.Settings.textDisabled": "Disattivato", "DE.Views.FileMenuPanels.Settings.textForceSave": "Salva sul server", "DE.Views.FileMenuPanels.Settings.textMinute": "Ogni minuto", + "DE.Views.FileMenuPanels.Settings.textOldVersions": "Rendi i file compatibili con le versioni precedenti di MS Word quando vengono salvati come DOCX", "DE.Views.FileMenuPanels.Settings.txtAll": "Tutte", "DE.Views.FileMenuPanels.Settings.txtCm": "Centimetro", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Adatta alla pagina", @@ -1703,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", @@ -1751,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", @@ -1767,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/ja.json b/apps/documenteditor/main/locale/ja.json index 0387defbc..351481f2c 100644 --- a/apps/documenteditor/main/locale/ja.json +++ b/apps/documenteditor/main/locale/ja.json @@ -182,7 +182,7 @@ "DE.Controllers.Main.downloadTextText": "ドキュメントのダウンロード中...", "DE.Controllers.Main.downloadTitleText": "ドキュメントのダウンロード中", "DE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。", - "DE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
    OKボタンをクリックするとドキュメントをダウンロードするように求められます。

    ドキュメントサーバーの接続の詳細情報を見つけます:here", + "DE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
    OKボタンをクリックするとドキュメントをダウンロードするように求められます。

    ドキュメントサーバーの接続の詳細情報を見つけます:ここに", "DE.Controllers.Main.errorDatabaseConnection": "外部エラーです。
    データベース接続エラーです。この問題は解決しない場合は、サポートにお問い合わせください。", "DE.Controllers.Main.errorDataRange": "データ範囲が正しくありません", "DE.Controllers.Main.errorDefaultMessage": "エラー コード:%1", diff --git a/apps/documenteditor/main/locale/ko.json b/apps/documenteditor/main/locale/ko.json index 400b4e02a..e0e631514 100644 --- a/apps/documenteditor/main/locale/ko.json +++ b/apps/documenteditor/main/locale/ko.json @@ -317,7 +317,7 @@ "DE.Controllers.Main.errorAccessDeny": "권한이없는 작업을 수행하려고합니다.
    문서 관리자에게 문의하십시오.", "DE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 지금 문서를 편집 할 수 없습니다.", - "DE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", + "DE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", "DE.Controllers.Main.errorDatabaseConnection": "외부 오류.
    데이터베이스 연결 오류입니다. 오류가 계속 발생하면 지원부에 문의하십시오.", "DE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.", "DE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1", @@ -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 546d48e5b..7eaa4c94c 100644 --- a/apps/documenteditor/main/locale/lv.json +++ b/apps/documenteditor/main/locale/lv.json @@ -314,7 +314,7 @@ "DE.Controllers.Main.errorAccessDeny": "Jūs mēģināt veikt darbību, kuru nedrīkstat veikt.
    Lūdzu, sazinieties ar savu dokumentu servera administratoru.", "DE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.", - "DE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "DE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk par dokumentu servera pieslēgšanu šeit", "DE.Controllers.Main.errorDatabaseConnection": "External error.
    Database connection error. Please contact support in case the error persists.", "DE.Controllers.Main.errorDataRange": "Incorrect data range.", "DE.Controllers.Main.errorDefaultMessage": "Kļūdas kods: %1", @@ -439,8 +439,8 @@ "DE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher", "DE.Controllers.Main.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 830e1bd1e..5877b35b7 100644 --- a/apps/documenteditor/main/locale/nl.json +++ b/apps/documenteditor/main/locale/nl.json @@ -336,7 +336,7 @@ "DE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.
    Neem contact op met de beheerder van de documentserver.", "DE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server is verbroken. Het document kan op dit moment niet worden bewerkt.", - "DE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd om het document te downloaden.

    Meer informatie over de verbinding met een documentserver is hier te vinden.", + "DE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.

    Meer informatie over verbindingen met de documentserver is hier te vinden.", "DE.Controllers.Main.errorDatabaseConnection": "Externe fout.
    Fout in databaseverbinding. Neem contact op met Support als deze fout zich blijft voordoen.", "DE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik.", "DE.Controllers.Main.errorDefaultMessage": "Foutcode: %1", @@ -535,8 +535,8 @@ "DE.Controllers.Main.warnBrowserIE9": "Met IE9 heeft de toepassing beperkte mogelijkheden. Gebruik IE10 of hoger.", "DE.Controllers.Main.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 786d20748..a2dc3d868 100644 --- a/apps/documenteditor/main/locale/pl.json +++ b/apps/documenteditor/main/locale/pl.json @@ -279,7 +279,7 @@ "DE.Controllers.Main.errorAccessDeny": "Próbujesz wykonać działanie, na które nie masz uprawnień.
    Proszę skontaktować się z administratorem serwera dokumentów.", "DE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie można teraz edytować dokumentu.", - "DE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", + "DE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", "DE.Controllers.Main.errorDatabaseConnection": "Błąd zewnętrzny.
    Błąd połączenia z bazą danych. W przypadku wystąpienia błędu należy skontaktować się z pomocą techniczną.", "DE.Controllers.Main.errorDataRange": "Błędny zakres danych.", "DE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1", @@ -427,7 +427,7 @@ "DE.Controllers.Main.warnBrowserIE9": "Aplikacja ma małe możliwości w IE9. Użyj przeglądarki IE10 lub nowszej.", "DE.Controllers.Main.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", @@ -1055,6 +1055,8 @@ "DE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Utwórz nowy pusty dokument tekstowy, który będziesz mógł formatować po jego utworzeniu podczas edytowania. Możesz też wybrać jeden z szablonów, aby utworzyć dokument określonego typu lub celu, w którym niektóre style zostały wcześniej zastosowane.", "DE.Views.FileMenuPanels.CreateNew.newDocumentText": "Nowy dokument tekstowy", "DE.Views.FileMenuPanels.CreateNew.noTemplatesText": "Tam nie ma żadnych szablonów", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Dodaj autora", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Dodaj tekst", "DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplikacja", "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Zmień prawa dostępu", @@ -1244,8 +1246,10 @@ "DE.Views.LeftMenu.txtDeveloper": "TRYB DEWELOPERA", "DE.Views.Links.capBtnBookmarks": "Zakładka", "DE.Views.Links.capBtnInsContents": "Spis treści", + "DE.Views.Links.mniInsFootnote": "Wstaw przypis", "DE.Views.Links.tipBookmarks": "Utwórz zakładkę", "DE.Views.Links.tipInsertHyperlink": "Dodaj hiperłącze", + "DE.Views.Links.tipNotes": "Wstawianie lub edytowanie przypisów", "DE.Views.MailMergeEmailDlg.cancelButtonText": "Anuluj", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.okButtonText": "Wyślij", @@ -1715,9 +1719,10 @@ "DE.Views.Toolbar.textSurface": "Powierzchnia", "DE.Views.Toolbar.textTabCollaboration": "Współpraca", "DE.Views.Toolbar.textTabFile": "Plik", - "DE.Views.Toolbar.textTabHome": "Start", - "DE.Views.Toolbar.textTabInsert": "Wstawić", + "DE.Views.Toolbar.textTabHome": "Narzędzia główne", + "DE.Views.Toolbar.textTabInsert": "Wstawianie", "DE.Views.Toolbar.textTabLayout": "Układ", + "DE.Views.Toolbar.textTabLinks": "Odwołania", "DE.Views.Toolbar.textTabReview": "Przegląd", "DE.Views.Toolbar.textTitleError": "Błąd", "DE.Views.Toolbar.textToCurrent": "Do aktualnej pozycji", @@ -1728,6 +1733,7 @@ "DE.Views.Toolbar.tipAlignLeft": "Wyrównaj do lewej", "DE.Views.Toolbar.tipAlignRight": "Wyrównaj do prawej", "DE.Views.Toolbar.tipBack": "Powrót", + "DE.Views.Toolbar.tipBlankPage": "Wstaw pustą stronę", "DE.Views.Toolbar.tipChangeChart": "Zmień typ wykresu", "DE.Views.Toolbar.tipClearStyle": "Wyczyść style", "DE.Views.Toolbar.tipColorSchemas": "Zmień schemat kolorów", @@ -1798,5 +1804,6 @@ "DE.Views.Toolbar.txtScheme6": "Zbiegowisko", "DE.Views.Toolbar.txtScheme7": "Kapitał", "DE.Views.Toolbar.txtScheme8": "Przepływ", - "DE.Views.Toolbar.txtScheme9": "Odlewnia" + "DE.Views.Toolbar.txtScheme9": "Odlewnia", + "DE.Views.WatermarkSettingsDialog.textNewColor": "Nowy niestandardowy kolor" } \ No newline at end of file diff --git a/apps/documenteditor/main/locale/pt.json b/apps/documenteditor/main/locale/pt.json index 8c562559f..e844f522e 100644 --- a/apps/documenteditor/main/locale/pt.json +++ b/apps/documenteditor/main/locale/pt.json @@ -287,7 +287,7 @@ "DE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação que você não tem direitos.
    Contate o administrador do Servidor de Documentos.", "DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", - "DE.Controllers.Main.errorConnectToServer": "O documento não pode ser salvo. Verifique as configurações de conexão ou entre em contato com o seu administrador.
    Quando você clicar no botão \"OK\", poderá baixar o documento.

    Encontre mais informações sobre conexão com o Document Server aqui", + "DE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.
    Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento.

    Encontre mais informações sobre como conecta ao Document Server aqui", "DE.Controllers.Main.errorDatabaseConnection": "Erro externo.
    Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.", "DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", "DE.Controllers.Main.errorDefaultMessage": "Código do erro: %1", @@ -406,8 +406,8 @@ "DE.Controllers.Main.warnBrowserIE9": "O aplicativo tem baixa capacidade no IE9. Usar IE10 ou superior", "DE.Controllers.Main.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 a7c982e43..57a23f1b8 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,34 +1708,53 @@ "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": "Внутренние поля", "DE.Views.ParagraphSettingsAdvanced.strOrphan": "Запрет висячих строк", "DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Шрифт", - "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и положение", + "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и интервалы", + "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": "Удалить все", @@ -1753,6 +1775,7 @@ "DE.Views.ParagraphSettingsAdvanced.tipOuter": "Задать только внешнюю границу", "DE.Views.ParagraphSettingsAdvanced.tipRight": "Задать только правую границу", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Задать только верхнюю границу", + "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Без границ", "DE.Views.RightMenu.txtChartSettings": "Параметры диаграммы", "DE.Views.RightMenu.txtHeaderFooterSettings": "Параметры верхнего и нижнего колонтитулов", @@ -1769,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": "Непрозрачность", @@ -1820,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": "Состав подписи", @@ -1850,6 +1873,7 @@ "DE.Views.StyleTitleDialog.textTitle": "Название", "DE.Views.StyleTitleDialog.txtEmpty": "Это поле необходимо заполнить", "DE.Views.StyleTitleDialog.txtNotEmpty": "Поле не может быть пустым", + "DE.Views.StyleTitleDialog.txtSameAs": "Такой же, как создаваемый стиль", "DE.Views.TableFormulaDialog.cancelButtonText": "Отмена", "DE.Views.TableFormulaDialog.okButtonText": "ОК", "DE.Views.TableFormulaDialog.textBookmark": "Вставить закладку", diff --git a/apps/documenteditor/main/locale/sk.json b/apps/documenteditor/main/locale/sk.json index 1ba94377d..27fc20fe5 100644 --- a/apps/documenteditor/main/locale/sk.json +++ b/apps/documenteditor/main/locale/sk.json @@ -295,7 +295,7 @@ "DE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
    Prosím, kontaktujte svojho správcu dokumentového servera. ", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", - "DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", + "DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", "DE.Controllers.Main.errorDatabaseConnection": "Externá chyba.
    Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ", "DE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", @@ -417,7 +417,7 @@ "DE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.", "DE.Controllers.Main.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 6024da206..9c2b4754d 100644 --- a/apps/documenteditor/main/locale/tr.json +++ b/apps/documenteditor/main/locale/tr.json @@ -270,7 +270,7 @@ "DE.Controllers.Main.errorAccessDeny": "Hakiniz olmayan bir eylem gerçekleştirmeye çalışıyorsunuz.
    Lütfen Document Server yöneticinize başvurun.", "DE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.", - "DE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "DE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.

    Belge Sunucusuna bağlanma konusunda daha fazla bilgi için buraya tıklayın", "DE.Controllers.Main.errorDatabaseConnection": "Harci hata.
    Veri tabanı bağlantı hatası. Hata devam ederse lütfen destek ile iletişime geçin.", "DE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", "DE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1", @@ -395,7 +395,7 @@ "DE.Controllers.Main.warnBrowserIE9": "Uygulama IE9'da düşük yeteneklere sahip. IE10 yada daha yükseğini kullanınız", "DE.Controllers.Main.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 06763b6a1..fb64df8c9 100644 --- a/apps/documenteditor/main/locale/uk.json +++ b/apps/documenteditor/main/locale/uk.json @@ -247,7 +247,7 @@ "DE.Controllers.Main.errorAccessDeny": "Ви намагаєтеся виконати дію, у якої у вас немає прав.
    Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.", "DE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "DE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.", - "DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів тут ", + "DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів
    тут", "DE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка.
    Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки, якщо помилка не зникне.", "DE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "DE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", @@ -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 1ff353aff..e526d1e21 100644 --- a/apps/documenteditor/main/locale/vi.json +++ b/apps/documenteditor/main/locale/vi.json @@ -248,7 +248,7 @@ "DE.Controllers.Main.errorAccessDeny": "Bạn đang cố gắng thực hiện hành động mà bạn không có quyền.
    Vui lòng liên hệ với quản trị viên Server Tài liệu của bạn.", "DE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Mất kết nối server. Không thể chỉnh sửa tài liệu ngay lúc này.", - "DE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", + "DE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", "DE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.
    Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ trong trường hợp lỗi vẫn còn.", "DE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.", "DE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1", @@ -357,7 +357,7 @@ "DE.Controllers.Main.warnBrowserIE9": "Ứng dụng vận hành kém trên IE9. Sử dụng IE10 hoặc cao hơn", "DE.Controllers.Main.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 30ca0c38b..1f709890a 100644 --- a/apps/documenteditor/main/locale/zh.json +++ b/apps/documenteditor/main/locale/zh.json @@ -340,7 +340,7 @@ "DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
    请联系您的文档服务器管理员.", "DE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", - "DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器在这里", + "DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器
    在这里", "DE.Controllers.Main.errorDatabaseConnection": "外部错误。
    数据库连接错误。如果错误仍然存​​在,请联系支持人员。", "DE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", "DE.Controllers.Main.errorDataRange": "数据范围不正确", @@ -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/app.js b/apps/documenteditor/mobile/app.js index 465d67e69..cfd2b1b40 100644 --- a/apps/documenteditor/mobile/app.js +++ b/apps/documenteditor/mobile/app.js @@ -183,7 +183,7 @@ require([ //Store Framework7 initialized instance for easy access window.uiApp = new Framework7({ // Default title for modals - modalTitle: '{{MOBILE_MODAL_TITLE}}', + modalTitle: '{{APP_TITLE_TEXT}}', // Enable tap hold events tapHold: true, diff --git a/apps/documenteditor/mobile/app/controller/Settings.js b/apps/documenteditor/mobile/app/controller/Settings.js index d122f1bf6..8269cbea5 100644 --- a/apps/documenteditor/mobile/app/controller/Settings.js +++ b/apps/documenteditor/mobile/app/controller/Settings.js @@ -553,7 +553,18 @@ define([ }, onShowHelp: function () { - window.open('{{SUPPORT_URL}}', "_blank"); + var url = '{{HELP_URL}}'; + if (url.charAt(url.length-1) !== '/') { + url += '/'; + } + if (Common.SharedSettings.get('sailfish')) { + url+='mobile-applications/documents/sailfish/index.aspx'; + } else if (Common.SharedSettings.get('android')) { + url+='mobile-applications/documents/android/index.aspx'; + } else { + url+='mobile-applications/documents/index.aspx'; + } + window.open(url, "_blank"); this.hideModal(); }, diff --git a/apps/documenteditor/mobile/app/template/Settings.template b/apps/documenteditor/mobile/app/template/Settings.template index 129b99184..cde8bf0fd 100644 --- a/apps/documenteditor/mobile/app/template/Settings.template +++ b/apps/documenteditor/mobile/app/template/Settings.template @@ -368,16 +368,6 @@ -
    <%= scope.textSubject %>
    -
    -
      -
    • -
      -
      <%= scope.textLoading %>
      -
      -
    • -
    -
    <%= scope.textTitle %>
      @@ -388,6 +378,16 @@
    +
    <%= scope.textSubject %>
    +
    +
      +
    • +
      +
      <%= scope.textLoading %>
      +
      +
    • +
    +
    <%= scope.textComment %>
      @@ -633,21 +633,21 @@

    DOCUMENT EDITOR

    -

    <%= scope.textVersion %> {{PRODUCT_VERSION}}

    +

    <%= scope.textVersion %> <%= prodversion %>

    diff --git a/apps/documenteditor/mobile/app/view/Settings.js b/apps/documenteditor/mobile/app/view/Settings.js index 84dbd7bcb..16c8fb0c7 100644 --- a/apps/documenteditor/mobile/app/view/Settings.js +++ b/apps/documenteditor/mobile/app/view/Settings.js @@ -91,7 +91,14 @@ define([ phone : Common.SharedSettings.get('phone'), orthography: Common.SharedSettings.get('sailfish'), scope : this, - width : $(window).width() + width : $(window).width(), + prodversion: '{{PRODUCT_VERSION}}', + publishername: '{{PUBLISHER_NAME}}', + publisheraddr: '{{PUBLISHER_ADDRESS}}', + publisherurl: '{{PUBLISHER_URL}}', + printed_url: ("{{PUBLISHER_URL}}").replace(/https?:\/{2}/, "").replace(/\/$/,""), + supportemail: '{{SUPPORT_EMAIL}}', + phonenum: '{{PUBLISHER_PHONE}}' })); return this; diff --git a/apps/documenteditor/mobile/locale/bg.json b/apps/documenteditor/mobile/locale/bg.json index 42c66944f..ccded751e 100644 --- a/apps/documenteditor/mobile/locale/bg.json +++ b/apps/documenteditor/mobile/locale/bg.json @@ -14,8 +14,6 @@ "DE.Controllers.AddTable.textColumns": "Колони", "DE.Controllers.AddTable.textRows": "Редове", "DE.Controllers.AddTable.textTableSize": "Размер на таблицата", - "DE.Controllers.DocumentHolder.menuAccept": "Приемам", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Приемам всичко", "DE.Controllers.DocumentHolder.menuAddLink": "Добавяне на връзка", "DE.Controllers.DocumentHolder.menuCopy": "Копие", "DE.Controllers.DocumentHolder.menuCut": "Изрежи", @@ -24,8 +22,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Повече", "DE.Controllers.DocumentHolder.menuOpenLink": "Отвори линк", "DE.Controllers.DocumentHolder.menuPaste": "Паста", - "DE.Controllers.DocumentHolder.menuReject": "Отхвърляне", - "DE.Controllers.DocumentHolder.menuRejectAll": "Отхвърли всички", "DE.Controllers.DocumentHolder.menuReview": "Преглед", "DE.Controllers.DocumentHolder.sheetCancel": "Отказ", "DE.Controllers.DocumentHolder.textGuest": "Гост", @@ -62,7 +58,7 @@ "DE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права.
    Моля, свържете се с администратора на сървъра за документи.", "DE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Вече не можете да редактирате.", - "DE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук ", + "DE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук", "DE.Controllers.Main.errorDatabaseConnection": "Външна грешка.
    Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка.", "DE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да се дефинират.", "DE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.", @@ -166,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 71f1a3008..62fab64cf 100644 --- a/apps/documenteditor/mobile/locale/cs.json +++ b/apps/documenteditor/mobile/locale/cs.json @@ -14,7 +14,6 @@ "DE.Controllers.AddTable.textColumns": "Sloupce", "DE.Controllers.AddTable.textRows": "Řádky", "DE.Controllers.AddTable.textTableSize": "Velikost tabulky", - "DE.Controllers.DocumentHolder.menuAccept": "Přijmout", "DE.Controllers.DocumentHolder.menuAddLink": "Přidat odkaz", "DE.Controllers.DocumentHolder.menuCopy": "Kopírovat", "DE.Controllers.DocumentHolder.menuCut": "Vyjmout", @@ -23,7 +22,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Více", "DE.Controllers.DocumentHolder.menuOpenLink": "Otevřít odkaz", "DE.Controllers.DocumentHolder.menuPaste": "Vložit", - "DE.Controllers.DocumentHolder.menuReject": "Odmítnout", "DE.Controllers.DocumentHolder.sheetCancel": "Zrušit", "DE.Controllers.DocumentHolder.textGuest": "Návštěvník", "DE.Controllers.EditContainer.textChart": "Graf", @@ -58,7 +56,7 @@ "DE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.
    Prosím, kontaktujte administrátora vašeho Dokumentového serveru.", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové připojení bylo ztraceno. Nadále nemůžete editovat.", - "DE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.
    Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.

    Více informací o připojení najdete v Dokumentovém serveru here", + "DE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.
    Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.

    Více informací o připojení najdete v Dokumentovém serveru here", "DE.Controllers.Main.errorDatabaseConnection": "Externí chyba.
    Chyba připojení k databázi. Prosím, kontaktujte podporu.", "DE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", @@ -153,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 9a6639a3b..d819e8528 100644 --- a/apps/documenteditor/mobile/locale/de.json +++ b/apps/documenteditor/mobile/locale/de.json @@ -14,8 +14,6 @@ "DE.Controllers.AddTable.textColumns": "Spalten", "DE.Controllers.AddTable.textRows": "Zeilen", "DE.Controllers.AddTable.textTableSize": "Tabellengröße", - "DE.Controllers.DocumentHolder.menuAccept": "Annehmen", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Alles annehmen", "DE.Controllers.DocumentHolder.menuAddLink": "Link hinzufügen", "DE.Controllers.DocumentHolder.menuCopy": "Kopieren", "DE.Controllers.DocumentHolder.menuCut": "Ausschneiden", @@ -24,8 +22,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Mehr", "DE.Controllers.DocumentHolder.menuOpenLink": "Link öffnen", "DE.Controllers.DocumentHolder.menuPaste": "Einfügen", - "DE.Controllers.DocumentHolder.menuReject": "Ablehnen", - "DE.Controllers.DocumentHolder.menuRejectAll": "Alles ablehnen", "DE.Controllers.DocumentHolder.menuReview": "Review", "DE.Controllers.DocumentHolder.sheetCancel": "Abbrechen", "DE.Controllers.DocumentHolder.textGuest": "Gast", @@ -62,7 +58,7 @@ "DE.Controllers.Main.errorAccessDeny": "Sie versuchen die Änderungen vorzunehemen, für die Sie keine Berechtigungen haben.
    Wenden Sie sich an Ihren Document Server Serveradministrator.", "DE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Sie können nicht mehr editieren.", - "DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", + "DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", "DE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.
    Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.", "DE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", "DE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", @@ -166,8 +162,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet.
    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 3bea8bf46..a288509a9 100644 --- a/apps/documenteditor/mobile/locale/en.json +++ b/apps/documenteditor/mobile/locale/en.json @@ -1,67 +1,81 @@ { + "Common.Controllers.Collaboration.textAtLeast": "at least", + "Common.Controllers.Collaboration.textAuto": "auto", + "Common.Controllers.Collaboration.textBaseline": "Baseline", + "Common.Controllers.Collaboration.textBold": "Bold", + "Common.Controllers.Collaboration.textBreakBefore": "Page break before", + "Common.Controllers.Collaboration.textCaps": "All caps", + "Common.Controllers.Collaboration.textCenter": "Align center", + "Common.Controllers.Collaboration.textChart": "Chart", + "Common.Controllers.Collaboration.textColor": "Font color", + "Common.Controllers.Collaboration.textContextual": "Don't add interval between paragraphs of the same style", + "Common.Controllers.Collaboration.textDeleted": "Deleted:", + "Common.Controllers.Collaboration.textDStrikeout": "Double strikeout", + "Common.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", + "Common.Controllers.Collaboration.textEquation": "Equation", + "Common.Controllers.Collaboration.textExact": "exactly", + "Common.Controllers.Collaboration.textFirstLine": "First line", + "Common.Controllers.Collaboration.textFormatted": "Formatted", + "Common.Controllers.Collaboration.textHighlight": "Highlight color", + "Common.Controllers.Collaboration.textImage": "Image", + "Common.Controllers.Collaboration.textIndentLeft": "Indent left", + "Common.Controllers.Collaboration.textIndentRight": "Indent right", + "Common.Controllers.Collaboration.textInserted": "Inserted:", + "Common.Controllers.Collaboration.textItalic": "Italic", + "Common.Controllers.Collaboration.textJustify": "Align justify", + "Common.Controllers.Collaboration.textKeepLines": "Keep lines together", + "Common.Controllers.Collaboration.textKeepNext": "Keep with next", + "Common.Controllers.Collaboration.textLeft": "Align left", + "Common.Controllers.Collaboration.textLineSpacing": "Line Spacing: ", + "Common.Controllers.Collaboration.textMultiple": "multiple", + "Common.Controllers.Collaboration.textNoBreakBefore": "No page break before", + "Common.Controllers.Collaboration.textNoContextual": "Add interval between paragraphs of the same style", + "Common.Controllers.Collaboration.textNoKeepLines": "Don't keep lines together", + "Common.Controllers.Collaboration.textNoKeepNext": "Don't keep with next", + "Common.Controllers.Collaboration.textNot": "Not", + "Common.Controllers.Collaboration.textNoWidow": "No widow control", + "Common.Controllers.Collaboration.textNum": "Change numbering", + "Common.Controllers.Collaboration.textParaDeleted": "Paragraph Deleted", + "Common.Controllers.Collaboration.textParaFormatted": "Paragraph Formatted", + "Common.Controllers.Collaboration.textParaInserted": "Paragraph Inserted", + "Common.Controllers.Collaboration.textParaMoveFromDown": "Moved Down:", + "Common.Controllers.Collaboration.textParaMoveFromUp": "Moved Up:", + "Common.Controllers.Collaboration.textParaMoveTo": "Moved:", + "Common.Controllers.Collaboration.textPosition": "Position", + "Common.Controllers.Collaboration.textRight": "Align right", + "Common.Controllers.Collaboration.textShape": "Shape", + "Common.Controllers.Collaboration.textShd": "Background color", + "Common.Controllers.Collaboration.textSmallCaps": "Small caps", + "Common.Controllers.Collaboration.textSpacing": "Spacing", + "Common.Controllers.Collaboration.textSpacingAfter": "Spacing after", + "Common.Controllers.Collaboration.textSpacingBefore": "Spacing before", + "Common.Controllers.Collaboration.textStrikeout": "Strikeout", + "Common.Controllers.Collaboration.textSubScript": "Subscript", + "Common.Controllers.Collaboration.textSuperScript": "Superscript", + "Common.Controllers.Collaboration.textTableChanged": "Table Settings Changed", + "Common.Controllers.Collaboration.textTableRowsAdd": "Table Rows Added", + "Common.Controllers.Collaboration.textTableRowsDel": "Table Rows Deleted", + "Common.Controllers.Collaboration.textTabs": "Change tabs", + "Common.Controllers.Collaboration.textUnderline": "Underline", + "Common.Controllers.Collaboration.textWidow": "Widow control", "Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors", "Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", - "Common.Controllers.Collaboration.textInserted": "Inserted:", - "Common.Controllers.Collaboration.textDeleted": "Deleted:", - "Common.Controllers.Collaboration.textParaInserted": "Paragraph Inserted", - "Common.Controllers.Collaboration.textParaDeleted": "Paragraph Deleted", - "Common.Controllers.Collaboration.textFormatted": "Formatted", - "Common.Controllers.Collaboration.textParaFormatted": "Paragraph Formatted", - "Common.Controllers.Collaboration.textNot": "Not", - "Common.Controllers.Collaboration.textBold": "Bold", - "Common.Controllers.Collaboration.textItalic": "Italic", - "Common.Controllers.Collaboration.textStrikeout": "Strikeout", - "Common.Controllers.Collaboration.textUnderline": "Underline", - "Common.Controllers.Collaboration.textColor": "Font color", - "Common.Controllers.Collaboration.textBaseline": "Baseline", - "Common.Controllers.Collaboration.textSuperScript": "Superscript", - "Common.Controllers.Collaboration.textSubScript": "Subscript", - "Common.Controllers.Collaboration.textHighlight": "Highlight color", - "Common.Controllers.Collaboration.textSpacing": "Spacing", - "Common.Controllers.Collaboration.textDStrikeout": "Double strikeout", - "Common.Controllers.Collaboration.textCaps": "All caps", - "Common.Controllers.Collaboration.textSmallCaps": "Small caps", - "Common.Controllers.Collaboration.textPosition": "Position", - "Common.Controllers.Collaboration.textShd": "Background color", - "Common.Controllers.Collaboration.textContextual": "Don't add interval between paragraphs of the same style", - "Common.Controllers.Collaboration.textNoContextual": "Add interval between paragraphs of the same style", - "Common.Controllers.Collaboration.textIndentLeft": "Indent left", - "Common.Controllers.Collaboration.textIndentRight": "Indent right", - "Common.Controllers.Collaboration.textFirstLine": "First line", - "Common.Controllers.Collaboration.textRight": "Align right", - "Common.Controllers.Collaboration.textLeft": "Align left", - "Common.Controllers.Collaboration.textCenter": "Align center", - "Common.Controllers.Collaboration.textJustify": "Align justify", - "Common.Controllers.Collaboration.textBreakBefore": "Page break before", - "Common.Controllers.Collaboration.textKeepNext": "Keep with next", - "Common.Controllers.Collaboration.textKeepLines": "Keep lines together", - "Common.Controllers.Collaboration.textNoBreakBefore": "No page break before", - "Common.Controllers.Collaboration.textNoKeepNext": "Don't keep with next", - "Common.Controllers.Collaboration.textNoKeepLines": "Don't keep lines together", - "Common.Controllers.Collaboration.textLineSpacing": "Line Spacing: ", - "Common.Controllers.Collaboration.textMultiple": "multiple", - "Common.Controllers.Collaboration.textAtLeast": "at least", - "Common.Controllers.Collaboration.textExact": "exactly", - "Common.Controllers.Collaboration.textSpacingBefore": "Spacing before", - "Common.Controllers.Collaboration.textSpacingAfter": "Spacing after", - "Common.Controllers.Collaboration.textAuto": "auto", - "Common.Controllers.Collaboration.textWidow": "Widow control", - "Common.Controllers.Collaboration.textNoWidow": "No widow control", - "Common.Controllers.Collaboration.textTabs": "Change tabs", - "Common.Controllers.Collaboration.textNum": "Change numbering", - "Common.Controllers.Collaboration.textEquation": "Equation", - "Common.Controllers.Collaboration.textImage": "Image", - "Common.Controllers.Collaboration.textChart": "Chart", - "Common.Controllers.Collaboration.textShape": "Shape", - "Common.Controllers.Collaboration.textTableChanged": "Table Settings Changed", - "Common.Controllers.Collaboration.textTableRowsAdd": "Table Rows Added", - "Common.Controllers.Collaboration.textTableRowsDel": "Table Rows Deleted", - "Common.Controllers.Collaboration.textParaMoveTo": "Moved:", - "Common.Controllers.Collaboration.textParaMoveFromUp": "Moved Up:", - "Common.Controllers.Collaboration.textParaMoveFromDown": "Moved Down:", - "Common.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", + "Common.Views.Collaboration.textAcceptAllChanges": "Accept All Changes", + "Common.Views.Collaboration.textBack": "Back", + "Common.Views.Collaboration.textChange": "Review Change", + "Common.Views.Collaboration.textCollaboration": "Collaboration", + "Common.Views.Collaboration.textDisplayMode": "Display Mode", + "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", "DE.Controllers.AddContainer.textImage": "Image", "DE.Controllers.AddContainer.textOther": "Other", "DE.Controllers.AddContainer.textShape": "Shape", @@ -75,67 +89,6 @@ "DE.Controllers.AddTable.textColumns": "Columns", "DE.Controllers.AddTable.textRows": "Rows", "DE.Controllers.AddTable.textTableSize": "Table Size", - "del_DE.Controllers.Collaboration.textAtLeast": "at least", - "del_DE.Controllers.Collaboration.textAuto": "auto", - "del_DE.Controllers.Collaboration.textBaseline": "Baseline", - "del_DE.Controllers.Collaboration.textBold": "Bold", - "del_DE.Controllers.Collaboration.textBreakBefore": "Page break before", - "del_DE.Controllers.Collaboration.textCaps": "All caps", - "del_DE.Controllers.Collaboration.textCenter": "Align center", - "del_DE.Controllers.Collaboration.textChart": "Chart", - "del_DE.Controllers.Collaboration.textColor": "Font color", - "del_DE.Controllers.Collaboration.textContextual": "Don't add interval between paragraphs of the same style", - "del_DE.Controllers.Collaboration.textDeleted": "Deleted:", - "del_DE.Controllers.Collaboration.textDStrikeout": "Double strikeout", - "del_DE.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", - "del_DE.Controllers.Collaboration.textEquation": "Equation", - "del_DE.Controllers.Collaboration.textExact": "exactly", - "del_DE.Controllers.Collaboration.textFirstLine": "First line", - "del_DE.Controllers.Collaboration.textFormatted": "Formatted", - "del_DE.Controllers.Collaboration.textHighlight": "Highlight color", - "del_DE.Controllers.Collaboration.textImage": "Image", - "del_DE.Controllers.Collaboration.textIndentLeft": "Indent left", - "del_DE.Controllers.Collaboration.textIndentRight": "Indent right", - "del_DE.Controllers.Collaboration.textInserted": "Inserted:", - "del_DE.Controllers.Collaboration.textItalic": "Italic", - "del_DE.Controllers.Collaboration.textJustify": "Align justify", - "del_DE.Controllers.Collaboration.textKeepLines": "Keep lines together", - "del_DE.Controllers.Collaboration.textKeepNext": "Keep with next", - "del_DE.Controllers.Collaboration.textLeft": "Align left", - "del_DE.Controllers.Collaboration.textLineSpacing": "Line Spacing: ", - "del_DE.Controllers.Collaboration.textMultiple": "multiple", - "del_DE.Controllers.Collaboration.textNoBreakBefore": "No page break before", - "del_DE.Controllers.Collaboration.textNoContextual": "Add interval between paragraphs of the same style", - "del_DE.Controllers.Collaboration.textNoKeepLines": "Don't keep lines together", - "del_DE.Controllers.Collaboration.textNoKeepNext": "Don't keep with next", - "del_DE.Controllers.Collaboration.textNot": "Not", - "del_DE.Controllers.Collaboration.textNoWidow": "No widow control", - "del_DE.Controllers.Collaboration.textNum": "Change numbering", - "del_DE.Controllers.Collaboration.textParaDeleted": "Paragraph Deleted", - "del_DE.Controllers.Collaboration.textParaFormatted": "Paragraph Formatted", - "del_DE.Controllers.Collaboration.textParaInserted": "Paragraph Inserted", - "del_DE.Controllers.Collaboration.textParaMoveFromDown": "Moved Down:", - "del_DE.Controllers.Collaboration.textParaMoveFromUp": "Moved Up:", - "del_DE.Controllers.Collaboration.textParaMoveTo": "Moved:", - "del_DE.Controllers.Collaboration.textPosition": "Position", - "del_DE.Controllers.Collaboration.textRight": "Align right", - "del_DE.Controllers.Collaboration.textShape": "Shape", - "del_DE.Controllers.Collaboration.textShd": "Background color", - "del_DE.Controllers.Collaboration.textSmallCaps": "Small caps", - "del_DE.Controllers.Collaboration.textSpacing": "Spacing", - "del_DE.Controllers.Collaboration.textSpacingAfter": "Spacing after", - "del_DE.Controllers.Collaboration.textSpacingBefore": "Spacing before", - "del_DE.Controllers.Collaboration.textStrikeout": "Strikeout", - "del_DE.Controllers.Collaboration.textSubScript": "Subscript", - "del_DE.Controllers.Collaboration.textSuperScript": "Superscript", - "del_DE.Controllers.Collaboration.textTableChanged": "Table Settings Changed", - "del_DE.Controllers.Collaboration.textTableRowsAdd": "Table Rows Added", - "del_DE.Controllers.Collaboration.textTableRowsDel": "Table Rows Deleted", - "del_DE.Controllers.Collaboration.textTabs": "Change tabs", - "del_DE.Controllers.Collaboration.textUnderline": "Underline", - "del_DE.Controllers.Collaboration.textWidow": "Widow control", - "del_DE.Controllers.DocumentHolder.menuAccept": "Accept", - "del_DE.Controllers.DocumentHolder.menuAcceptAll": "Accept All", "DE.Controllers.DocumentHolder.menuAddLink": "Add Link", "DE.Controllers.DocumentHolder.menuCopy": "Copy", "DE.Controllers.DocumentHolder.menuCut": "Cut", @@ -146,8 +99,6 @@ "DE.Controllers.DocumentHolder.menuMore": "More", "DE.Controllers.DocumentHolder.menuOpenLink": "Open Link", "DE.Controllers.DocumentHolder.menuPaste": "Paste", - "del_DE.Controllers.DocumentHolder.menuReject": "Reject", - "del_DE.Controllers.DocumentHolder.menuRejectAll": "Reject All", "DE.Controllers.DocumentHolder.menuReview": "Review", "DE.Controllers.DocumentHolder.menuReviewChange": "Review Change", "DE.Controllers.DocumentHolder.menuSplit": "Split Cell", @@ -341,19 +292,6 @@ "DE.Views.AddOther.textSectionBreak": "Section Break", "DE.Views.AddOther.textStartFrom": "Start At", "DE.Views.AddOther.textTip": "Screen Tip", - "del_DE.Views.Collaboration.textAcceptAllChanges": "Accept All Changes", - "del_DE.Views.Collaboration.textBack": "Back", - "del_DE.Views.Collaboration.textChange": "Review Change", - "del_DE.Views.Collaboration.textCollaboration": "Collaboration", - "del_DE.Views.Collaboration.textDisplayMode": "Display Mode", - "del_DE.Views.Collaboration.textEditUsers": "Users", - "del_DE.Views.Collaboration.textFinal": "Final", - "del_DE.Views.Collaboration.textMarkup": "Markup", - "del_DE.Views.Collaboration.textOriginal": "Original", - "del_DE.Views.Collaboration.textRejectAllChanges": "Reject All Changes", - "del_DE.Views.Collaboration.textReview": "Track Changes", - "del_DE.Views.Collaboration.textReviewing": "Review", - "del_DE.Views.Collaboration.textСomments": "Сomments", "DE.Views.EditChart.textAlign": "Align", "DE.Views.EditChart.textBack": "Back", "DE.Views.EditChart.textBackward": "Move Backward", @@ -519,14 +457,21 @@ "DE.Views.Settings.textAbout": "About", "DE.Views.Settings.textAddress": "address", "DE.Views.Settings.textAdvancedSettings": "Application Settings", + "DE.Views.Settings.textApplication": "Application", "DE.Views.Settings.textAuthor": "Author", "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", + "DE.Views.Settings.textCreated": "Created", "DE.Views.Settings.textCreateDate": "Creation date", "DE.Views.Settings.textCustom": "Custom", "DE.Views.Settings.textCustomSize": "Custom Size", + "DE.Views.Settings.textDisplayComments": "Comments", + "DE.Views.Settings.textDisplayResolvedComments": "Resolved Comments", "DE.Views.Settings.textDocInfo": "Document Info", "DE.Views.Settings.textDocTitle": "Document title", "DE.Views.Settings.textDocumentFormats": "Document Formats", @@ -543,11 +488,15 @@ "DE.Views.Settings.textHiddenTableBorders": "Hidden Table Borders", "DE.Views.Settings.textInch": "Inch", "DE.Views.Settings.textLandscape": "Landscape", + "DE.Views.Settings.textLastModified": "Last Modified", + "DE.Views.Settings.textLastModifiedBy": "Last Modified By", "DE.Views.Settings.textLeft": "Left", "DE.Views.Settings.textLoading": "Loading...", + "DE.Views.Settings.textLocation": "Location", "DE.Views.Settings.textMargins": "Margins", "DE.Views.Settings.textNoCharacters": "Nonprinting Characters", "DE.Views.Settings.textOrientation": "Orientation", + "DE.Views.Settings.textOwner": "Owner", "DE.Views.Settings.textPages": "Pages", "DE.Views.Settings.textParagraphs": "Paragraphs", "DE.Views.Settings.textPoint": "Point", @@ -561,38 +510,15 @@ "DE.Views.Settings.textSpaces": "Spaces", "DE.Views.Settings.textSpellcheck": "Spell Checking", "DE.Views.Settings.textStatistic": "Statistic", + "DE.Views.Settings.textSubject": "Subject", "DE.Views.Settings.textSymbols": "Symbols", "DE.Views.Settings.textTel": "tel", + "DE.Views.Settings.textTitle": "Title", "DE.Views.Settings.textTop": "Top", "DE.Views.Settings.textUnitOfMeasurement": "Unit of Measurement", + "DE.Views.Settings.textUploaded": "Uploaded", "DE.Views.Settings.textVersion": "Version", "DE.Views.Settings.textWords": "Words", "DE.Views.Settings.unknownText": "Unknown", - "DE.Views.Settings.textCommentingDisplay": "Commenting Display", - "DE.Views.Settings.textDisplayComments": "Comments", - "DE.Views.Settings.textDisplayResolvedComments": "Resolved Comments", - "DE.Views.Settings.textSubject": "Subject", - "DE.Views.Settings.textTitle": "Title", - "DE.Views.Settings.textComment": "Comment", - "DE.Views.Settings.textOwner": "Owner", - "DE.Views.Settings.textApplication": "Application", - "DE.Views.Settings.textLocation": "Location", - "DE.Views.Settings.textUploaded": "Uploaded", - "DE.Views.Settings.textLastModified": "Last Modified", - "DE.Views.Settings.textLastModifiedBy": "Last Modified By", - "DE.Views.Settings.textCreated": "Created", - "DE.Views.Toolbar.textBack": "Back", - "Common.Views.Collaboration.textCollaboration": "Collaboration", - "Common.Views.Collaboration.textReviewing": "Review", - "Common.Views.Collaboration.textСomments": "Сomments", - "Common.Views.Collaboration.textBack": "Back", - "Common.Views.Collaboration.textReview": "Track Changes", - "Common.Views.Collaboration.textAcceptAllChanges": "Accept All Changes", - "Common.Views.Collaboration.textRejectAllChanges": "Reject All Changes", - "Common.Views.Collaboration.textDisplayMode": "Display Mode", - "Common.Views.Collaboration.textMarkup": "Markup", - "Common.Views.Collaboration.textFinal": "Final", - "Common.Views.Collaboration.textOriginal": "Original", - "Common.Views.Collaboration.textChange": "Review Change", - "Common.Views.Collaboration.textEditUsers": "Users" + "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 ad8458828..91efacb61 100644 --- a/apps/documenteditor/mobile/locale/es.json +++ b/apps/documenteditor/mobile/locale/es.json @@ -1,21 +1,4 @@ { - "Common.UI.ThemeColorPalette.textStandartColors": "Colores estándar", - "Common.UI.ThemeColorPalette.textThemeColors": "Colores de tema", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "DE.Controllers.AddContainer.textImage": "Imagen", - "DE.Controllers.AddContainer.textOther": "Otro", - "DE.Controllers.AddContainer.textShape": "Forma", - "DE.Controllers.AddContainer.textTable": "Tabla", - "DE.Controllers.AddImage.textEmptyImgUrl": "Hay que especificar URL de imagen.", - "DE.Controllers.AddImage.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'", - "DE.Controllers.AddOther.textBelowText": "Bajo el texto", - "DE.Controllers.AddOther.textBottomOfPage": "Al pie de la página", - "DE.Controllers.AddOther.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'", - "DE.Controllers.AddTable.textCancel": "Cancelar", - "DE.Controllers.AddTable.textColumns": "Columnas", - "DE.Controllers.AddTable.textRows": "Filas", - "DE.Controllers.AddTable.textTableSize": "Tamaño de tabla", "Common.Controllers.Collaboration.textAtLeast": "al menos", "Common.Controllers.Collaboration.textAuto": "auto", "Common.Controllers.Collaboration.textBaseline": "Línea de base", @@ -75,8 +58,36 @@ "Common.Controllers.Collaboration.textTabs": "Cambiar tabuladores", "Common.Controllers.Collaboration.textUnderline": "Subrayado", "Common.Controllers.Collaboration.textWidow": "Widow control", - "DE.Controllers.DocumentHolder.menuAccept": "Aceptar", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Aceptar todo", + "Common.UI.ThemeColorPalette.textStandartColors": "Colores estándar", + "Common.UI.ThemeColorPalette.textThemeColors": "Colores de tema", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textAcceptAllChanges": "Aceptar todos los cambios", + "Common.Views.Collaboration.textBack": "Atrás", + "Common.Views.Collaboration.textChange": "Revisar cambios", + "Common.Views.Collaboration.textCollaboration": "Colaboración", + "Common.Views.Collaboration.textDisplayMode": "Modo de visualización", + "Common.Views.Collaboration.textEditUsers": "Usuarios", + "Common.Views.Collaboration.textFinal": "Final", + "Common.Views.Collaboration.textMarkup": "Cambios", + "Common.Views.Collaboration.textOriginal": "Original", + "Common.Views.Collaboration.textRejectAllChanges": "Rechazar todos los cambios", + "Common.Views.Collaboration.textReview": "Seguimiento de cambios", + "Common.Views.Collaboration.textReviewing": "Revisión", + "Common.Views.Collaboration.textСomments": "Comentarios", + "DE.Controllers.AddContainer.textImage": "Imagen", + "DE.Controllers.AddContainer.textOther": "Otro", + "DE.Controllers.AddContainer.textShape": "Forma", + "DE.Controllers.AddContainer.textTable": "Tabla", + "DE.Controllers.AddImage.textEmptyImgUrl": "Hay que especificar URL de imagen.", + "DE.Controllers.AddImage.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'", + "DE.Controllers.AddOther.textBelowText": "Bajo el texto", + "DE.Controllers.AddOther.textBottomOfPage": "Al pie de la página", + "DE.Controllers.AddOther.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'", + "DE.Controllers.AddTable.textCancel": "Cancelar", + "DE.Controllers.AddTable.textColumns": "Columnas", + "DE.Controllers.AddTable.textRows": "Filas", + "DE.Controllers.AddTable.textTableSize": "Tamaño de tabla", "DE.Controllers.DocumentHolder.menuAddLink": "Añadir enlace ", "DE.Controllers.DocumentHolder.menuCopy": "Copiar ", "DE.Controllers.DocumentHolder.menuCut": "Cortar", @@ -87,8 +98,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Más", "DE.Controllers.DocumentHolder.menuOpenLink": "Abrir enlace", "DE.Controllers.DocumentHolder.menuPaste": "Pegar", - "DE.Controllers.DocumentHolder.menuReject": "Rechazar", - "DE.Controllers.DocumentHolder.menuRejectAll": "Rechazar todo", "DE.Controllers.DocumentHolder.menuReview": "Revista", "DE.Controllers.DocumentHolder.menuReviewChange": "Revisar cambios", "DE.Controllers.DocumentHolder.menuSplit": "Dividir celda", @@ -234,7 +243,7 @@ "DE.Controllers.Main.warnLicenseExceeded": "Se ha excedido el número permitido de las conexiones simultáneas al servidor de documentos, y el documento se abrirá para sólo lectura.
    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", @@ -281,19 +290,6 @@ "DE.Views.AddOther.textSectionBreak": "Salto de sección", "DE.Views.AddOther.textStartFrom": "Empezar con", "DE.Views.AddOther.textTip": "Consejos de pantalla", - "Common.Views.Collaboration.textAcceptAllChanges": "Aceptar todos los cambios", - "Common.Views.Collaboration.textBack": "Atrás", - "Common.Views.Collaboration.textChange": "Revisar cambios", - "Common.Views.Collaboration.textCollaboration": "Colaboración", - "Common.Views.Collaboration.textDisplayMode": "Modo de visualización", - "Common.Views.Collaboration.textEditUsers": "Usuarios", - "Common.Views.Collaboration.textFinal": "Final", - "Common.Views.Collaboration.textMarkup": "Cambios", - "Common.Views.Collaboration.textOriginal": "Original", - "Common.Views.Collaboration.textRejectAllChanges": "Rechazar todos los cambios", - "Common.Views.Collaboration.textReview": "Seguimiento de cambios", - "Common.Views.Collaboration.textReviewing": "Revisión", - "Common.Views.Collaboration.textСomments": "Comentarios", "DE.Views.EditChart.textAlign": "Alineación", "DE.Views.EditChart.textBack": "Atrás", "DE.Views.EditChart.textBackward": "Mover atrás", diff --git a/apps/documenteditor/mobile/locale/fr.json b/apps/documenteditor/mobile/locale/fr.json index e72ec618b..a2d221d55 100644 --- a/apps/documenteditor/mobile/locale/fr.json +++ b/apps/documenteditor/mobile/locale/fr.json @@ -1,21 +1,4 @@ { - "Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard", - "Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "DE.Controllers.AddContainer.textImage": "Image", - "DE.Controllers.AddContainer.textOther": "Autre", - "DE.Controllers.AddContainer.textShape": "Forme", - "DE.Controllers.AddContainer.textTable": "Tableau", - "DE.Controllers.AddImage.textEmptyImgUrl": "Spécifiez URL de l'image", - "DE.Controllers.AddImage.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'", - "DE.Controllers.AddOther.textBelowText": "Sous le texte", - "DE.Controllers.AddOther.textBottomOfPage": "Bas de page", - "DE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'", - "DE.Controllers.AddTable.textCancel": "Annuler", - "DE.Controllers.AddTable.textColumns": "Colonnes", - "DE.Controllers.AddTable.textRows": "Lignes", - "DE.Controllers.AddTable.textTableSize": "Taille du tableau", "Common.Controllers.Collaboration.textAtLeast": "au moins ", "Common.Controllers.Collaboration.textAuto": "auto", "Common.Controllers.Collaboration.textBaseline": "Ligne de base", @@ -75,8 +58,36 @@ "Common.Controllers.Collaboration.textTabs": "Changer les tabulations", "Common.Controllers.Collaboration.textUnderline": "Souligné", "Common.Controllers.Collaboration.textWidow": "Contrôle des veuves", - "DE.Controllers.DocumentHolder.menuAccept": "Accepter", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Accepter tout", + "Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard", + "Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textAcceptAllChanges": "Accepter toutes les modifications", + "Common.Views.Collaboration.textBack": "Retour", + "Common.Views.Collaboration.textChange": "Réviser modifications", + "Common.Views.Collaboration.textCollaboration": "Collaboration", + "Common.Views.Collaboration.textDisplayMode": "Mode d'affichage", + "Common.Views.Collaboration.textEditUsers": "Utilisateurs", + "Common.Views.Collaboration.textFinal": "Final", + "Common.Views.Collaboration.textMarkup": "Balisage", + "Common.Views.Collaboration.textOriginal": "Original", + "Common.Views.Collaboration.textRejectAllChanges": "Refuser toutes les modifications ", + "Common.Views.Collaboration.textReview": "Suivi des modifications", + "Common.Views.Collaboration.textReviewing": "Révision", + "Common.Views.Collaboration.textСomments": "Commentaires", + "DE.Controllers.AddContainer.textImage": "Image", + "DE.Controllers.AddContainer.textOther": "Autre", + "DE.Controllers.AddContainer.textShape": "Forme", + "DE.Controllers.AddContainer.textTable": "Tableau", + "DE.Controllers.AddImage.textEmptyImgUrl": "Spécifiez URL de l'image", + "DE.Controllers.AddImage.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'", + "DE.Controllers.AddOther.textBelowText": "Sous le texte", + "DE.Controllers.AddOther.textBottomOfPage": "Bas de page", + "DE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'", + "DE.Controllers.AddTable.textCancel": "Annuler", + "DE.Controllers.AddTable.textColumns": "Colonnes", + "DE.Controllers.AddTable.textRows": "Lignes", + "DE.Controllers.AddTable.textTableSize": "Taille du tableau", "DE.Controllers.DocumentHolder.menuAddLink": "Ajouter le lien", "DE.Controllers.DocumentHolder.menuCopy": "Copier", "DE.Controllers.DocumentHolder.menuCut": "Couper", @@ -87,8 +98,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Plus", "DE.Controllers.DocumentHolder.menuOpenLink": "Ouvrir le lien", "DE.Controllers.DocumentHolder.menuPaste": "Coller", - "DE.Controllers.DocumentHolder.menuReject": "Rejeter", - "DE.Controllers.DocumentHolder.menuRejectAll": "Rejeter tout", "DE.Controllers.DocumentHolder.menuReview": "Révision", "DE.Controllers.DocumentHolder.menuReviewChange": "Réviser modifications", "DE.Controllers.DocumentHolder.menuSplit": "Fractionner la cellule", @@ -130,7 +139,7 @@ "DE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.
    Veuillez contacter l'administrateur de Document Server.", "DE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte", "DE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.", - "DE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion au Serveur de Documents ici", + "DE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion au Serveur de Documents ici", "DE.Controllers.Main.errorDatabaseConnection": "Erreur externe.
    Erreur de connexion à la base de données.Contactez le support.", "DE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.", "DE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", @@ -234,8 +243,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées sur le serveur de documents a été dépassée et le document sera ouvert en mode lecture seule.
    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", @@ -281,19 +290,6 @@ "DE.Views.AddOther.textSectionBreak": "Saut de section", "DE.Views.AddOther.textStartFrom": "À partir de", "DE.Views.AddOther.textTip": "Info-bulle", - "Common.Views.Collaboration.textAcceptAllChanges": "Accepter toutes les modifications", - "Common.Views.Collaboration.textBack": "Retour", - "Common.Views.Collaboration.textChange": "Réviser modifications", - "Common.Views.Collaboration.textCollaboration": "Collaboration", - "Common.Views.Collaboration.textDisplayMode": "Mode d'affichage", - "Common.Views.Collaboration.textEditUsers": "Utilisateurs", - "Common.Views.Collaboration.textFinal": "Final", - "Common.Views.Collaboration.textMarkup": "Balisage", - "Common.Views.Collaboration.textOriginal": "Original", - "Common.Views.Collaboration.textRejectAllChanges": "Refuser toutes les modifications ", - "Common.Views.Collaboration.textReview": "Suivi des modifications", - "Common.Views.Collaboration.textReviewing": "Révision", - "Common.Views.Collaboration.textСomments": "Commentaires", "DE.Views.EditChart.textAlign": "Aligner", "DE.Views.EditChart.textBack": "Retour", "DE.Views.EditChart.textBackward": "Déplacer vers l'arrière", diff --git a/apps/documenteditor/mobile/locale/hu.json b/apps/documenteditor/mobile/locale/hu.json index 2376826b7..edb1c6a8d 100644 --- a/apps/documenteditor/mobile/locale/hu.json +++ b/apps/documenteditor/mobile/locale/hu.json @@ -14,8 +14,6 @@ "DE.Controllers.AddTable.textColumns": "Oszlopok", "DE.Controllers.AddTable.textRows": "Sorok", "DE.Controllers.AddTable.textTableSize": "Táblázat méret", - "DE.Controllers.DocumentHolder.menuAccept": "Elfogad", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Mindent elfogad", "DE.Controllers.DocumentHolder.menuAddLink": "Link hozzáadása", "DE.Controllers.DocumentHolder.menuCopy": "Másol", "DE.Controllers.DocumentHolder.menuCut": "Kivág", @@ -24,8 +22,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Még", "DE.Controllers.DocumentHolder.menuOpenLink": "Link megnyitása", "DE.Controllers.DocumentHolder.menuPaste": "Beilleszt", - "DE.Controllers.DocumentHolder.menuReject": "Elutasít", - "DE.Controllers.DocumentHolder.menuRejectAll": "Elutasít mindent", "DE.Controllers.DocumentHolder.menuReview": "Összefoglaló", "DE.Controllers.DocumentHolder.sheetCancel": "Mégse", "DE.Controllers.DocumentHolder.textGuest": "Vendég", @@ -62,7 +58,7 @@ "DE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.
    Vegye fel a kapcsolatot a Document Server adminisztrátorával.", "DE.Controllers.Main.errorBadImageUrl": "Hibás kép URL", "DE.Controllers.Main.errorCoAuthoringDisconnect": "A szerver elveszítette a kapcsolatot. A további szerkesztés nem lehetséges.", - "DE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.
    Ha az 'OK'-ra kattint letöltheti a dokumentumot.

    Bővebb információk a Dokumentum Szerverhez kapcsolódásról itt találhat.", + "DE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.
    Ha az 'OK'-ra kattint letöltheti a dokumentumot.

    Bővebb információk a Dokumentum Szerverhez kapcsolódásról itt találhat.", "DE.Controllers.Main.errorDatabaseConnection": "Külső hiba.
    Adatbázis kapcsolati hiba. Kérem vegye igénybe támogatásunkat.", "DE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.", "DE.Controllers.Main.errorDataRange": "Hibás adattartomány.", @@ -165,8 +161,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.
    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 10a577114..6b9168263 100644 --- a/apps/documenteditor/mobile/locale/it.json +++ b/apps/documenteditor/mobile/locale/it.json @@ -1,21 +1,4 @@ { - "Common.UI.ThemeColorPalette.textStandartColors": "Colori standard", - "Common.UI.ThemeColorPalette.textThemeColors": "Colori del tema", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "DE.Controllers.AddContainer.textImage": "Immagine", - "DE.Controllers.AddContainer.textOther": "Altro", - "DE.Controllers.AddContainer.textShape": "Forma", - "DE.Controllers.AddContainer.textTable": "Tabella", - "DE.Controllers.AddImage.textEmptyImgUrl": "Specifica URL immagine.", - "DE.Controllers.AddImage.txtNotUrl": "Questo campo dovrebbe contenere un URL nel formato 'http://www.example.com'", - "DE.Controllers.AddOther.textBelowText": "Sotto al testo", - "DE.Controllers.AddOther.textBottomOfPage": "Fondo pagina", - "DE.Controllers.AddOther.txtNotUrl": "Questo campo dovrebbe contenere un URL nel formato 'http://www.example.com'", - "DE.Controllers.AddTable.textCancel": "Annulla", - "DE.Controllers.AddTable.textColumns": "Colonne", - "DE.Controllers.AddTable.textRows": "Righe", - "DE.Controllers.AddTable.textTableSize": "Dimensioni tabella", "Common.Controllers.Collaboration.textAtLeast": "Minima", "Common.Controllers.Collaboration.textAuto": "auto", "Common.Controllers.Collaboration.textBaseline": "Linea guida", @@ -73,8 +56,37 @@ "Common.Controllers.Collaboration.textTableRowsDel": "Righe tabella eliminate", "Common.Controllers.Collaboration.textTabs": "Modifica Schede", "Common.Controllers.Collaboration.textUnderline": "Sottolineato", - "DE.Controllers.DocumentHolder.menuAccept": "Accetta", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Accetta tutto", + "Common.UI.ThemeColorPalette.textStandartColors": "Colori standard", + "Common.UI.ThemeColorPalette.textThemeColors": "Colori del tema", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textAcceptAllChanges": "Accetta tutte le modifiche", + "Common.Views.Collaboration.textBack": "Indietro", + "Common.Views.Collaboration.textChange": "Modifica revisione", + "Common.Views.Collaboration.textCollaboration": "Collaborazione", + "Common.Views.Collaboration.textDisplayMode": "Modalità Visualizzazione", + "Common.Views.Collaboration.textEditUsers": "Utenti", + "Common.Views.Collaboration.textFinal": "Finale", + "Common.Views.Collaboration.textMarkup": "Marcatura", + "Common.Views.Collaboration.textNoComments": "Questo documento non contiene commenti", + "Common.Views.Collaboration.textOriginal": "Originale", + "Common.Views.Collaboration.textRejectAllChanges": "Annulla tutte le modifiche", + "Common.Views.Collaboration.textReview": "Traccia cambiamenti", + "Common.Views.Collaboration.textReviewing": "Revisione", + "Common.Views.Collaboration.textСomments": "Сommenti", + "DE.Controllers.AddContainer.textImage": "Immagine", + "DE.Controllers.AddContainer.textOther": "Altro", + "DE.Controllers.AddContainer.textShape": "Forma", + "DE.Controllers.AddContainer.textTable": "Tabella", + "DE.Controllers.AddImage.textEmptyImgUrl": "Specifica URL immagine.", + "DE.Controllers.AddImage.txtNotUrl": "Questo campo dovrebbe contenere un URL nel formato 'http://www.example.com'", + "DE.Controllers.AddOther.textBelowText": "Sotto al testo", + "DE.Controllers.AddOther.textBottomOfPage": "Fondo pagina", + "DE.Controllers.AddOther.txtNotUrl": "Questo campo dovrebbe contenere un URL nel formato 'http://www.example.com'", + "DE.Controllers.AddTable.textCancel": "Annulla", + "DE.Controllers.AddTable.textColumns": "Colonne", + "DE.Controllers.AddTable.textRows": "Righe", + "DE.Controllers.AddTable.textTableSize": "Dimensioni tabella", "DE.Controllers.DocumentHolder.menuAddLink": "Aggiungi collegamento", "DE.Controllers.DocumentHolder.menuCopy": "Copia", "DE.Controllers.DocumentHolder.menuCut": "Taglia", @@ -85,8 +97,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Altro", "DE.Controllers.DocumentHolder.menuOpenLink": "Apri collegamento", "DE.Controllers.DocumentHolder.menuPaste": "Incolla", - "DE.Controllers.DocumentHolder.menuReject": "Respingi", - "DE.Controllers.DocumentHolder.menuRejectAll": "Respingi tutti", "DE.Controllers.DocumentHolder.menuReview": "Revisione", "DE.Controllers.DocumentHolder.menuReviewChange": "Modifica revisione", "DE.Controllers.DocumentHolder.menuSplit": "Dividi cella", @@ -128,7 +138,7 @@ "DE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.
    Si prega di contattare l'amministratore del Server dei Documenti.", "DE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Scollegato dal server. Non è possibile modificare.", - "DE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", + "DE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", "DE.Controllers.Main.errorDatabaseConnection": "Errore esterno.
    Errore di connessione al database. Si prega di contattare il supporto.", "DE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.", "DE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.", @@ -232,8 +242,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione.
    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", @@ -241,6 +251,7 @@ "DE.Controllers.Settings.txtLoading": "Caricamento in corso...", "DE.Controllers.Settings.unknownText": "Sconosciuto", "DE.Controllers.Settings.warnDownloadAs": "Se continui a salvare in questo formato tutte le funzioni eccetto il testo vengono perse.
    Sei sicuro di voler continuare?", + "DE.Controllers.Settings.warnDownloadAsRTF": "Se si continua a salvare in questo formato, parte della formattazione potrebbe andare persa.
    Vuoi continuare?", "DE.Controllers.Toolbar.dlgLeaveMsgText": "Ci sono delle modifiche non salvate in questo documento. Clicca su 'Rimani in questa pagina, in attesa del salvataggio automatico del documento. Clicca su 'Lascia questa pagina' per annullare le modifiche.", "DE.Controllers.Toolbar.dlgLeaveTitleText": "Lascia l'applicazione", "DE.Controllers.Toolbar.leaveButtonText": "Lascia la pagina", @@ -279,19 +290,6 @@ "DE.Views.AddOther.textSectionBreak": "Interrompi sezione", "DE.Views.AddOther.textStartFrom": "Inizia da", "DE.Views.AddOther.textTip": "Suggerimento ", - "Common.Views.Collaboration.textAcceptAllChanges": "Accetta tutte le modifiche", - "Common.Views.Collaboration.textBack": "Indietro", - "Common.Views.Collaboration.textChange": "Modifica revisione", - "Common.Views.Collaboration.textCollaboration": "Collaborazione", - "Common.Views.Collaboration.textDisplayMode": "Modalità Visualizzazione", - "Common.Views.Collaboration.textEditUsers": "Utenti", - "Common.Views.Collaboration.textFinal": "Finale", - "Common.Views.Collaboration.textMarkup": "Marcatura", - "Common.Views.Collaboration.textOriginal": "Originale", - "Common.Views.Collaboration.textRejectAllChanges": "Annulla tutte le modifiche", - "Common.Views.Collaboration.textReview": "Traccia cambiamenti", - "Common.Views.Collaboration.textReviewing": "Revisione", - "Common.Views.Collaboration.textСomments": "Сommenti", "DE.Views.EditChart.textAlign": "Allinea", "DE.Views.EditChart.textBack": "Indietro", "DE.Views.EditChart.textBackward": "Sposta indietro", @@ -457,14 +455,21 @@ "DE.Views.Settings.textAbout": "Informazioni su", "DE.Views.Settings.textAddress": "indirizzo", "DE.Views.Settings.textAdvancedSettings": "Impostazioni Applicazione", + "DE.Views.Settings.textApplication": "Applicazione", "DE.Views.Settings.textAuthor": "Autore", "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", + "DE.Views.Settings.textCreated": "Creato", "DE.Views.Settings.textCreateDate": "Data di creazione", "DE.Views.Settings.textCustom": "Personalizzato", "DE.Views.Settings.textCustomSize": "Dimensione personalizzata", + "DE.Views.Settings.textDisplayComments": "Commenti", + "DE.Views.Settings.textDisplayResolvedComments": "Commenti risolti", "DE.Views.Settings.textDocInfo": "Informazioni sul documento", "DE.Views.Settings.textDocTitle": "Titolo documento", "DE.Views.Settings.textDocumentFormats": "Formati del documento", @@ -481,11 +486,15 @@ "DE.Views.Settings.textHiddenTableBorders": "Bordi tabella nascosti", "DE.Views.Settings.textInch": "Pollice", "DE.Views.Settings.textLandscape": "Orizzontale", + "DE.Views.Settings.textLastModified": "Ultima modifica", + "DE.Views.Settings.textLastModifiedBy": "Ultima modifica di", "DE.Views.Settings.textLeft": "A sinistra", "DE.Views.Settings.textLoading": "Caricamento in corso...", + "DE.Views.Settings.textLocation": "Percorso", "DE.Views.Settings.textMargins": "Margini", "DE.Views.Settings.textNoCharacters": "Caratteri non stampabili", "DE.Views.Settings.textOrientation": "Orientamento", + "DE.Views.Settings.textOwner": "Proprietario", "DE.Views.Settings.textPages": "Pagine", "DE.Views.Settings.textParagraphs": "Paragrafi", "DE.Views.Settings.textPoint": "Punto", @@ -499,10 +508,13 @@ "DE.Views.Settings.textSpaces": "Spazi", "DE.Views.Settings.textSpellcheck": "Controllo ortografia", "DE.Views.Settings.textStatistic": "Statistica", + "DE.Views.Settings.textSubject": "Oggetto", "DE.Views.Settings.textSymbols": "Simboli", "DE.Views.Settings.textTel": "Tel.", + "DE.Views.Settings.textTitle": "Titolo documento", "DE.Views.Settings.textTop": "In alto", "DE.Views.Settings.textUnitOfMeasurement": "Unità di misura", + "DE.Views.Settings.textUploaded": "Caricato", "DE.Views.Settings.textVersion": "Versione", "DE.Views.Settings.textWords": "Parole", "DE.Views.Settings.unknownText": "Sconosciuto", diff --git a/apps/documenteditor/mobile/locale/ko.json b/apps/documenteditor/mobile/locale/ko.json index 2f1bd102b..c60cfa83e 100644 --- a/apps/documenteditor/mobile/locale/ko.json +++ b/apps/documenteditor/mobile/locale/ko.json @@ -14,8 +14,6 @@ "DE.Controllers.AddTable.textColumns": "열", "DE.Controllers.AddTable.textRows": "Rows", "DE.Controllers.AddTable.textTableSize": "표 크기", - "DE.Controllers.DocumentHolder.menuAccept": "수락", - "DE.Controllers.DocumentHolder.menuAcceptAll": "모두 수락", "DE.Controllers.DocumentHolder.menuAddLink": "링크 추가", "DE.Controllers.DocumentHolder.menuCopy": "복사", "DE.Controllers.DocumentHolder.menuCut": "잘라 내기", @@ -24,8 +22,6 @@ "DE.Controllers.DocumentHolder.menuMore": "More", "DE.Controllers.DocumentHolder.menuOpenLink": "링크 열기", "DE.Controllers.DocumentHolder.menuPaste": "붙여 넣기", - "DE.Controllers.DocumentHolder.menuReject": "거부", - "DE.Controllers.DocumentHolder.menuRejectAll": "모두 거부", "DE.Controllers.DocumentHolder.menuReview": "다시보기", "DE.Controllers.DocumentHolder.sheetCancel": "취소", "DE.Controllers.DocumentHolder.textGuest": "Guest", @@ -61,7 +57,7 @@ "DE.Controllers.Main.downloadTitleText": "문서 다운로드 중", "DE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "DE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 더 이상 편집 할 수 없습니다.", - "DE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", + "DE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", "DE.Controllers.Main.errorDatabaseConnection": "외부 오류입니다.
    데이터베이스 연결 오류입니다. 지원팀에 문의하십시오.", "DE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.", "DE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1", @@ -159,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 6d122bbf9..a10b532b5 100644 --- a/apps/documenteditor/mobile/locale/lv.json +++ b/apps/documenteditor/mobile/locale/lv.json @@ -53,7 +53,7 @@ "DE.Controllers.Main.downloadTitleText": "Dokumenta lejupielāde", "DE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Zudis servera savienojums. Jūs vairs nevarat rediģēt.", - "DE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk par dokumentu servera pieslēgšanu šeit", + "DE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk par dokumentu servera pieslēgšanu šeit", "DE.Controllers.Main.errorDatabaseConnection": "Ārējā kļūda.
    Datubāzes piekļuves kļūda. Lūdzu, sazinieties ar atbalsta daļu.", "DE.Controllers.Main.errorDataRange": "Nepareizs datu diapazons", "DE.Controllers.Main.errorDefaultMessage": "Kļūdas kods: %1", @@ -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 f0711ea76..294b2e004 100644 --- a/apps/documenteditor/mobile/locale/nl.json +++ b/apps/documenteditor/mobile/locale/nl.json @@ -14,8 +14,6 @@ "DE.Controllers.AddTable.textColumns": "Kolommen", "DE.Controllers.AddTable.textRows": "Rijen", "DE.Controllers.AddTable.textTableSize": "Tabelgrootte", - "DE.Controllers.DocumentHolder.menuAccept": "Accepteren", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Alles accepteren", "DE.Controllers.DocumentHolder.menuAddLink": "Koppeling toevoegen", "DE.Controllers.DocumentHolder.menuCopy": "Kopiëren", "DE.Controllers.DocumentHolder.menuCut": "Knippen", @@ -24,8 +22,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Meer", "DE.Controllers.DocumentHolder.menuOpenLink": "Koppeling openen", "DE.Controllers.DocumentHolder.menuPaste": "Plakken", - "DE.Controllers.DocumentHolder.menuReject": "Afwijzen", - "DE.Controllers.DocumentHolder.menuRejectAll": "Alles afwijzen", "DE.Controllers.DocumentHolder.menuReview": "Beoordelen", "DE.Controllers.DocumentHolder.sheetCancel": "Annuleren", "DE.Controllers.DocumentHolder.textGuest": "Gast", @@ -62,7 +58,7 @@ "DE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.
    Neem contact op met de beheerder van de documentserver.", "DE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server verbroken. U kunt niet doorgaan met bewerken.", - "DE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.

    Meer informatie over verbindingen met de documentserver is hier te vinden.", + "DE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.

    Meer informatie over verbindingen met de documentserver is hier te vinden.", "DE.Controllers.Main.errorDatabaseConnection": "Externe fout.
    Fout in databaseverbinding. Neem contact op met Support.", "DE.Controllers.Main.errorDataEncrypted": "Versleutelde wijzigingen zijn ontvangen, deze kunnen niet ontcijferd worden.", "DE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik", @@ -165,8 +161,8 @@ "DE.Controllers.Main.warnLicenseExceeded": "Het aantal gelijktijdige verbindingen met de document server heeft het maximum overschreven. Het document zal geopend worden in een alleen-lezen modus.
    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 5325886f1..cd25d5c3a 100644 --- a/apps/documenteditor/mobile/locale/pl.json +++ b/apps/documenteditor/mobile/locale/pl.json @@ -3,6 +3,7 @@ "Common.UI.ThemeColorPalette.textThemeColors": "Kolory motywu", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textCollaboration": "Współpraca", "DE.Controllers.AddContainer.textImage": "Obraz", "DE.Controllers.AddContainer.textOther": "Inny", "DE.Controllers.AddContainer.textShape": "Kształt", @@ -14,8 +15,6 @@ "DE.Controllers.AddTable.textColumns": "Kolumny", "DE.Controllers.AddTable.textRows": "Wiersze", "DE.Controllers.AddTable.textTableSize": "Rozmiar tabeli", - "DE.Controllers.DocumentHolder.menuAccept": "Akceptuj", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Akceptuj wszystko", "DE.Controllers.DocumentHolder.menuAddLink": "Dodaj link", "DE.Controllers.DocumentHolder.menuCopy": "Kopiuj", "DE.Controllers.DocumentHolder.menuCut": "Wytnij", @@ -56,7 +55,7 @@ "DE.Controllers.Main.downloadTitleText": "Pobieranie dokumentu", "DE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie możesz już edytować.", - "DE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", + "DE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", "DE.Controllers.Main.errorDatabaseConnection": "Zewnętrzny błąd.
    Błąd połączenia z bazą danych. Proszę skontaktuj się z administratorem.", "DE.Controllers.Main.errorDataRange": "Błędny zakres danych.", "DE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1", @@ -149,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 b4cd28d6f..084f93a80 100644 --- a/apps/documenteditor/mobile/locale/pt.json +++ b/apps/documenteditor/mobile/locale/pt.json @@ -53,7 +53,7 @@ "DE.Controllers.Main.downloadTitleText": "Baixando Documento", "DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão ao servidor perdida. Você não pode mais editar.", - "DE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.
    Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento.

    Encontre mais informações sobre como conecta ao Document Server aqui ", + "DE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.
    Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento.

    Encontre mais informações sobre como conecta ao Document Server aqui", "DE.Controllers.Main.errorDatabaseConnection": "Erro externo.
    Erro de conexão do banco de dados. Entre em contato com o suporte.", "DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", "DE.Controllers.Main.errorDefaultMessage": "Código do Erro: %1", @@ -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 f8cc0ca83..8bca5769f 100644 --- a/apps/documenteditor/mobile/locale/ru.json +++ b/apps/documenteditor/mobile/locale/ru.json @@ -1,21 +1,4 @@ { - "Common.UI.ThemeColorPalette.textStandartColors": "Стандартные цвета", - "Common.UI.ThemeColorPalette.textThemeColors": "Цвета темы", - "Common.Utils.Metric.txtCm": "см", - "Common.Utils.Metric.txtPt": "пт", - "DE.Controllers.AddContainer.textImage": "Изображение", - "DE.Controllers.AddContainer.textOther": "Другое", - "DE.Controllers.AddContainer.textShape": "Фигура", - "DE.Controllers.AddContainer.textTable": "Таблица", - "DE.Controllers.AddImage.textEmptyImgUrl": "Необходимо указать URL изображения.", - "DE.Controllers.AddImage.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", - "DE.Controllers.AddOther.textBelowText": "Под текстом", - "DE.Controllers.AddOther.textBottomOfPage": "Внизу страницы", - "DE.Controllers.AddOther.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", - "DE.Controllers.AddTable.textCancel": "Отмена", - "DE.Controllers.AddTable.textColumns": "Столбцы", - "DE.Controllers.AddTable.textRows": "Строки", - "DE.Controllers.AddTable.textTableSize": "Размер таблицы", "Common.Controllers.Collaboration.textAtLeast": "минимум", "Common.Controllers.Collaboration.textAuto": "авто", "Common.Controllers.Collaboration.textBaseline": "Базовая линия", @@ -75,8 +58,37 @@ "Common.Controllers.Collaboration.textTabs": "Изменение табуляции", "Common.Controllers.Collaboration.textUnderline": "Подчёркнутый", "Common.Controllers.Collaboration.textWidow": "Запрет висячих строк", - "DE.Controllers.DocumentHolder.menuAccept": "Принять", - "DE.Controllers.DocumentHolder.menuAcceptAll": "Принять все", + "Common.UI.ThemeColorPalette.textStandartColors": "Стандартные цвета", + "Common.UI.ThemeColorPalette.textThemeColors": "Цвета темы", + "Common.Utils.Metric.txtCm": "см", + "Common.Utils.Metric.txtPt": "пт", + "Common.Views.Collaboration.textAcceptAllChanges": "Принять все изменения", + "Common.Views.Collaboration.textBack": "Назад", + "Common.Views.Collaboration.textChange": "Просмотр изменений", + "Common.Views.Collaboration.textCollaboration": "Совместная работа", + "Common.Views.Collaboration.textDisplayMode": "Отображение", + "Common.Views.Collaboration.textEditUsers": "Пользователи", + "Common.Views.Collaboration.textFinal": "Измененный документ", + "Common.Views.Collaboration.textMarkup": "Изменения", + "Common.Views.Collaboration.textNoComments": "Этот документ не содержит комментариев", + "Common.Views.Collaboration.textOriginal": "Исходный документ", + "Common.Views.Collaboration.textRejectAllChanges": "Отклонить все изменения", + "Common.Views.Collaboration.textReview": "Отслеживание изменений", + "Common.Views.Collaboration.textReviewing": "Рецензирование", + "Common.Views.Collaboration.textСomments": "Комментарии", + "DE.Controllers.AddContainer.textImage": "Изображение", + "DE.Controllers.AddContainer.textOther": "Другое", + "DE.Controllers.AddContainer.textShape": "Фигура", + "DE.Controllers.AddContainer.textTable": "Таблица", + "DE.Controllers.AddImage.textEmptyImgUrl": "Необходимо указать URL изображения.", + "DE.Controllers.AddImage.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", + "DE.Controllers.AddOther.textBelowText": "Под текстом", + "DE.Controllers.AddOther.textBottomOfPage": "Внизу страницы", + "DE.Controllers.AddOther.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", + "DE.Controllers.AddTable.textCancel": "Отмена", + "DE.Controllers.AddTable.textColumns": "Столбцы", + "DE.Controllers.AddTable.textRows": "Строки", + "DE.Controllers.AddTable.textTableSize": "Размер таблицы", "DE.Controllers.DocumentHolder.menuAddLink": "Добавить ссылку", "DE.Controllers.DocumentHolder.menuCopy": "Копировать", "DE.Controllers.DocumentHolder.menuCut": "Вырезать", @@ -87,8 +99,6 @@ "DE.Controllers.DocumentHolder.menuMore": "Ещё", "DE.Controllers.DocumentHolder.menuOpenLink": "Перейти", "DE.Controllers.DocumentHolder.menuPaste": "Вставить", - "DE.Controllers.DocumentHolder.menuReject": "Отклонить", - "DE.Controllers.DocumentHolder.menuRejectAll": "Отклонить все", "DE.Controllers.DocumentHolder.menuReview": "Рецензирование", "DE.Controllers.DocumentHolder.menuReviewChange": "Просмотр изменений", "DE.Controllers.DocumentHolder.menuSplit": "Разделить ячейку", @@ -234,7 +244,7 @@ "DE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", "DE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.
    Обновите лицензию, а затем обновите страницу.", "DE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", - "DE.Controllers.Main.warnNoLicense": "Эта версия редакторов ONLYOFFICE имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", + "DE.Controllers.Main.warnNoLicense": "Эта версия редакторов %1 имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "DE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "DE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", "DE.Controllers.Search.textNoTextFound": "Текст не найден", @@ -243,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": "Уйти со страницы", @@ -281,19 +292,6 @@ "DE.Views.AddOther.textSectionBreak": "Разрыв раздела", "DE.Views.AddOther.textStartFrom": "Начать с", "DE.Views.AddOther.textTip": "Подсказка", - "Common.Views.Collaboration.textAcceptAllChanges": "Принять все изменения", - "Common.Views.Collaboration.textBack": "Назад", - "Common.Views.Collaboration.textChange": "Просмотр изменений", - "Common.Views.Collaboration.textCollaboration": "Совместная работа", - "Common.Views.Collaboration.textDisplayMode": "Отображение", - "Common.Views.Collaboration.textEditUsers": "Пользователи", - "Common.Views.Collaboration.textFinal": "Измененный документ", - "Common.Views.Collaboration.textMarkup": "Изменения", - "Common.Views.Collaboration.textOriginal": "Исходный документ", - "Common.Views.Collaboration.textRejectAllChanges": "Отклонить все изменения", - "Common.Views.Collaboration.textReview": "Отслеживание изменений", - "Common.Views.Collaboration.textReviewing": "Рецензирование", - "Common.Views.Collaboration.textСomments": "Комментарии", "DE.Views.EditChart.textAlign": "Выравнивание", "DE.Views.EditChart.textBack": "Назад", "DE.Views.EditChart.textBackward": "Перенести назад", @@ -459,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": "Размеры страницы", @@ -483,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": "Пункт", @@ -501,10 +510,13 @@ "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": "Неизвестно", diff --git a/apps/documenteditor/mobile/locale/sk.json b/apps/documenteditor/mobile/locale/sk.json index ea7c8892b..8d93fd732 100644 --- a/apps/documenteditor/mobile/locale/sk.json +++ b/apps/documenteditor/mobile/locale/sk.json @@ -54,7 +54,7 @@ "DE.Controllers.Main.downloadTitleText": "Sťahovanie dokumentu", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Spojenie so serverom sa stratilo. Už nemôžete upravovať.", - "DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", + "DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", "DE.Controllers.Main.errorDatabaseConnection": "Externá chyba.
    Chyba spojenia databázy. Obráťte sa prosím na podporu.", "DE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", @@ -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 79f71c133..59e56a7ed 100644 --- a/apps/documenteditor/mobile/locale/tr.json +++ b/apps/documenteditor/mobile/locale/tr.json @@ -53,7 +53,7 @@ "DE.Controllers.Main.downloadTitleText": "Belge indiriliyor", "DE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kayboldu. Artık düzenleyemezsiniz.", - "DE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.

    Belge Sunucusuna bağlanma konusunda daha fazla bilgi için buraya tıklayın", + "DE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.

    Belge Sunucusuna bağlanma konusunda daha fazla bilgi için buraya tıklayın", "DE.Controllers.Main.errorDatabaseConnection": "Dışsal hata.
    Veritabanı bağlantı hatası. Lütfen destek ile iletişime geçin.", "DE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", "DE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1", @@ -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 a5cb1c52a..2a72880a8 100644 --- a/apps/documenteditor/mobile/locale/uk.json +++ b/apps/documenteditor/mobile/locale/uk.json @@ -53,7 +53,7 @@ "DE.Controllers.Main.downloadTitleText": "Завантаження документу", "DE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "DE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Ви більше не можете редагувати.", - "DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів тут ", + "DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів
    тут", "DE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка.
    Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки.", "DE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "DE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", @@ -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 fbe9b851d..a920abb73 100644 --- a/apps/documenteditor/mobile/locale/vi.json +++ b/apps/documenteditor/mobile/locale/vi.json @@ -53,7 +53,7 @@ "DE.Controllers.Main.downloadTitleText": "Đang tải tài liệu...", "DE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Kết nối máy chủ bị mất. Bạn không thể chỉnh sửa nữa.", - "DE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", + "DE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", "DE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.
    Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ.", "DE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.", "DE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1", @@ -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 5eea8d2ce..792378228 100644 --- a/apps/documenteditor/mobile/locale/zh.json +++ b/apps/documenteditor/mobile/locale/zh.json @@ -14,8 +14,6 @@ "DE.Controllers.AddTable.textColumns": "列", "DE.Controllers.AddTable.textRows": "行", "DE.Controllers.AddTable.textTableSize": "表格大小", - "DE.Controllers.DocumentHolder.menuAccept": "接受", - "DE.Controllers.DocumentHolder.menuAcceptAll": "接受全部", "DE.Controllers.DocumentHolder.menuAddLink": "增加链接", "DE.Controllers.DocumentHolder.menuCopy": "复制", "DE.Controllers.DocumentHolder.menuCut": "剪切", @@ -24,8 +22,6 @@ "DE.Controllers.DocumentHolder.menuMore": "更多", "DE.Controllers.DocumentHolder.menuOpenLink": "打开链接", "DE.Controllers.DocumentHolder.menuPaste": "粘贴", - "DE.Controllers.DocumentHolder.menuReject": "拒绝", - "DE.Controllers.DocumentHolder.menuRejectAll": "拒绝全部", "DE.Controllers.DocumentHolder.menuReview": "检查", "DE.Controllers.DocumentHolder.sheetCancel": "取消", "DE.Controllers.DocumentHolder.textGuest": "游客", @@ -62,7 +58,7 @@ "DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
    请联系您的文档服务器管理员.", "DE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。您无法再进行编辑。", - "DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器在这里", + "DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器
    在这里", "DE.Controllers.Main.errorDatabaseConnection": "外部错误。
    数据库连接错误。请联系客服支持。", "DE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", "DE.Controllers.Main.errorDataRange": "数据范围不正确", @@ -167,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/DocumentHolder.js b/apps/presentationeditor/main/app/controller/DocumentHolder.js index 48168be0d..e5bd95ede 100644 --- a/apps/presentationeditor/main/app/controller/DocumentHolder.js +++ b/apps/presentationeditor/main/app/controller/DocumentHolder.js @@ -63,6 +63,19 @@ var c_tableBorder = { BORDER_OUTER_TABLE: 13 // table border and outer cell borders }; +var c_paragraphTextAlignment = { + RIGHT: 0, + LEFT: 1, + CENTERED: 2, + JUSTIFIED: 3 +}; + +var c_paragraphSpecial = { + NONE_SPECIAL: 0, + FIRST_LINE: 1, + HANGING: 2 +}; + define([ 'core', 'presentationeditor/main/app/view/DocumentHolder' diff --git a/apps/presentationeditor/main/app/controller/Main.js b/apps/presentationeditor/main/app/controller/Main.js index 41cba028d..cc4ef086d 100644 --- a/apps/presentationeditor/main/app/controller/Main.js +++ b/apps/presentationeditor/main/app/controller/Main.js @@ -1554,7 +1554,10 @@ define([ Common.Utils.ThemeColor.setColors(colors, standart_colors); if (window.styles_loaded) { this.updateThemeColors(); - this.fillTextArt(this.api.asc_getTextArtPreviews()); + var me = this; + setTimeout(function(){ + me.fillTextArt(me.api.asc_getTextArtPreviews()); + }, 1); } }, diff --git a/apps/presentationeditor/main/app/controller/Toolbar.js b/apps/presentationeditor/main/app/controller/Toolbar.js index c2563c927..385c1db34 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/template/ParagraphSettingsAdvanced.template b/apps/presentationeditor/main/app/template/ParagraphSettingsAdvanced.template index 961b81080..ccba9ab31 100644 --- a/apps/presentationeditor/main/app/template/ParagraphSettingsAdvanced.template +++ b/apps/presentationeditor/main/app/template/ParagraphSettingsAdvanced.template @@ -1,98 +1,114 @@
    - - - - - - -
    - -
    -
    - -
    -
    - -
    -
    +
    +
    + +
    +
    +
    +
    +
    +
    + +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    -
    - - - - - - - - - - - - - - - - - - - - - - - - - -
    - -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    - -
    -
    -
    -
    -
    -
    -
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    -
    - -
    -
    -
    +
    -
    -
    -
    -
    -
    - -
    -
    -
    +
    - - - +
    + +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    \ No newline at end of file diff --git a/apps/presentationeditor/main/app/view/DocumentHolder.js b/apps/presentationeditor/main/app/view/DocumentHolder.js index aca4736c9..e16ca6ae2 100644 --- a/apps/presentationeditor/main/app/view/DocumentHolder.js +++ b/apps/presentationeditor/main/app/view/DocumentHolder.js @@ -2174,7 +2174,7 @@ define([ menu : new Common.UI.Menu({ cls: 'lang-menu', menuAlign: 'tl-tr', - restoreHeight: 300, + restoreHeight: 285, items : [], search: true }) @@ -2249,7 +2249,7 @@ define([ menu : new Common.UI.Menu({ cls: 'lang-menu', menuAlign: 'tl-tr', - restoreHeight: 300, + restoreHeight: 285, items : [], search: true }) 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/FileMenuPanels.js b/apps/presentationeditor/main/app/view/FileMenuPanels.js index 17a41d5c8..af9828b86 100644 --- a/apps/presentationeditor/main/app/view/FileMenuPanels.js +++ b/apps/presentationeditor/main/app/view/FileMenuPanels.js @@ -612,14 +612,14 @@ define([ // '', // '', // '', - '', - '', - '
    ', - '', '', '', '
    ', '', + '', + '', + '
    ', + '', '', '', '
    ', diff --git a/apps/presentationeditor/main/app/view/ParagraphSettingsAdvanced.js b/apps/presentationeditor/main/app/view/ParagraphSettingsAdvanced.js index 8c16332fb..da55d09cc 100644 --- a/apps/presentationeditor/main/app/view/ParagraphSettingsAdvanced.js +++ b/apps/presentationeditor/main/app/view/ParagraphSettingsAdvanced.js @@ -49,13 +49,14 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced PE.Views.ParagraphSettingsAdvanced = Common.Views.AdvancedSettingsWindow.extend(_.extend({ options: { - contentWidth: 320, + contentWidth: 370, height: 394, toggleGroup: 'paragraph-adv-settings-group', storageName: 'pe-para-settings-adv-category' }, initialize : function(options) { + var me = this; _.extend(this.options, { title: this.textTitle, items: [ @@ -74,9 +75,43 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced this._noApply = true; this._tabListChanged = false; this.spinners = []; + this.FirstLine = undefined; + this.Spacing = null; this.api = this.options.api; this._originalProps = new Asc.asc_CParagraphProperty(this.options.paragraphProps); + + this._arrLineRule = [ + {displayValue: this.textAuto, defaultValue: 1, value: c_paragraphLinerule.LINERULE_AUTO, minValue: 0.5, step: 0.01, defaultUnit: ''}, + {displayValue: this.textExact, defaultValue: 5, value: c_paragraphLinerule.LINERULE_EXACT, minValue: 0.03, step: 0.01, defaultUnit: 'cm'} + ]; + + var curLineRule = this._originalProps.get_Spacing().get_LineRule(), + curItem = _.findWhere(this._arrLineRule, {value: curLineRule}); + this.CurLineRuleIdx = this._arrLineRule.indexOf(curItem); + + this._arrTextAlignment = [ + {displayValue: this.textTabLeft, value: c_paragraphTextAlignment.LEFT}, + {displayValue: this.textTabCenter, value: c_paragraphTextAlignment.CENTERED}, + {displayValue: this.textTabRight, value: c_paragraphTextAlignment.RIGHT}, + {displayValue: this.textJustified, value: c_paragraphTextAlignment.JUSTIFIED} + ]; + + this._arrSpecial = [ + {displayValue: this.textNoneSpecial, value: c_paragraphSpecial.NONE_SPECIAL, defaultValue: 0}, + {displayValue: this.textFirstLine, value: c_paragraphSpecial.FIRST_LINE, defaultValue: 12.7}, + {displayValue: this.textHanging, value: c_paragraphSpecial.HANGING, defaultValue: 12.7} + ]; + + this._arrTabAlign = [ + { value: 1, displayValue: this.textTabLeft }, + { value: 3, displayValue: this.textTabCenter }, + { value: 2, displayValue: this.textTabRight } + ]; + this._arrKeyTabAlign = []; + this._arrTabAlign.forEach(function(item) { + me._arrKeyTabAlign[item.value] = item.displayValue; + }); }, render: function() { @@ -86,24 +121,15 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced // Indents & Placement - this.numFirstLine = new Common.UI.MetricSpinner({ - el: $('#paragraphadv-spin-first-line'), - step: .1, - width: 85, - defaultUnit : "cm", - defaultValue : 0, - value: '0 cm', - maxValue: 55.87, - minValue: -55.87 + this.cmbTextAlignment = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-text-alignment'), + cls: 'input-group-nr', + editable: false, + data: this._arrTextAlignment, + style: 'width: 173px;', + menuStyle : 'min-width: 173px;' }); - this.numFirstLine.on('change', _.bind(function(field, newValue, oldValue, eOpts){ - if (this._changedProps) { - if (this._changedProps.get_Ind()===null || this._changedProps.get_Ind()===undefined) - this._changedProps.put_Ind(new Asc.asc_CParagraphInd()); - this._changedProps.get_Ind().put_FirstLine(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue())); - } - }, this)); - this.spinners.push(this.numFirstLine); + this.cmbTextAlignment.setValue(''); this.numIndentsLeft = new Common.UI.MetricSpinner({ el: $('#paragraphadv-spin-indent-left'), @@ -122,9 +148,6 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced this._changedProps.put_Ind(new Asc.asc_CParagraphInd()); this._changedProps.get_Ind().put_Left(Common.Utils.Metric.fnRecalcToMM(numval)); } - this.numFirstLine.setMinValue(-numval); - if (this.numFirstLine.getNumberValue() < -numval) - this.numFirstLine.setValue(-numval); }, this)); this.spinners.push(this.numIndentsLeft); @@ -147,6 +170,93 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced }, this)); this.spinners.push(this.numIndentsRight); + this.cmbSpecial = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-special'), + cls: 'input-group-nr', + editable: false, + data: this._arrSpecial, + style: 'width: 85px;', + menuStyle : 'min-width: 85px;' + }); + this.cmbSpecial.setValue(''); + this.cmbSpecial.on('selected', _.bind(this.onSpecialSelect, this)); + + this.numSpecialBy = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-special-by'), + step: .1, + width: 85, + defaultUnit : "cm", + defaultValue : 0, + value: '0 cm', + maxValue: 55.87, + minValue: 0 + }); + this.spinners.push(this.numSpecialBy); + this.numSpecialBy.on('change', _.bind(this.onFirstLineChange, this)); + + this.numSpacingBefore = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-spacing-before'), + step: .1, + width: 85, + value: '', + defaultUnit : "cm", + maxValue: 55.88, + minValue: 0, + allowAuto : true, + autoText : this.txtAutoText + }); + this.numSpacingBefore.on('change', _.bind(function (field, newValue, oldValue, eOpts) { + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.get_Spacing(); + } + this.Spacing.Before = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); + }, this)); + this.spinners.push(this.numSpacingBefore); + + this.numSpacingAfter = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-spacing-after'), + step: .1, + width: 85, + value: '', + defaultUnit : "cm", + maxValue: 55.88, + minValue: 0, + allowAuto : true, + autoText : this.txtAutoText + }); + this.numSpacingAfter.on('change', _.bind(function (field, newValue, oldValue, eOpts) { + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.get_Spacing(); + } + this.Spacing.After = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); + }, this)); + this.spinners.push(this.numSpacingAfter); + + this.cmbLineRule = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-line-rule'), + cls: 'input-group-nr', + editable: false, + data: this._arrLineRule, + style: 'width: 85px;', + menuStyle : 'min-width: 85px;' + }); + this.cmbLineRule.setValue(this.CurLineRuleIdx); + this.cmbLineRule.on('selected', _.bind(this.onLineRuleSelect, this)); + + this.numLineHeight = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-line-height'), + step: .01, + width: 85, + value: '', + defaultUnit : "", + maxValue: 132, + minValue: 0.5 + }); + this.spinners.push(this.numLineHeight); + this.numLineHeight.on('change', _.bind(this.onNumLineHeightChange, this)); + // Font this.chStrike = new Common.UI.CheckBox({ @@ -211,7 +321,7 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced this.numTab = new Common.UI.MetricSpinner({ el: $('#paraadv-spin-tab'), step: .1, - width: 180, + width: 108, defaultUnit : "cm", value: '1.25 cm', maxValue: 55.87, @@ -222,7 +332,7 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced this.numDefaultTab = new Common.UI.MetricSpinner({ el: $('#paraadv-spin-default-tab'), step: .1, - width: 107, + width: 108, defaultUnit : "cm", value: '1.25 cm', maxValue: 55.87, @@ -238,7 +348,14 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced this.tabList = new Common.UI.ListView({ el: $('#paraadv-list-tabs'), emptyText: this.noTabs, - store: new Common.UI.DataViewStore() + store: new Common.UI.DataViewStore(), + template: _.template(['
    '].join('')), + itemTemplate: _.template([ + '
    ', + '
    <%= value %>
    ', + '
    <%= displayTabAlign %>
    ', + '
    ' + ].join('')) }); this.tabList.store.comparator = function(rec) { return rec.get("tabPos"); @@ -253,24 +370,15 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced this.listenTo(this.tabList.store, 'remove', storechanged); this.listenTo(this.tabList.store, 'reset', storechanged); - this.radioLeft = new Common.UI.RadioBox({ - el: $('#paragraphadv-radio-left'), - labelText: this.textTabLeft, - name: 'asc-radio-tab', - checked: true - }); - - this.radioCenter = new Common.UI.RadioBox({ - el: $('#paragraphadv-radio-center'), - labelText: this.textTabCenter, - name: 'asc-radio-tab' - }); - - this.radioRight = new Common.UI.RadioBox({ - el: $('#paragraphadv-radio-right'), - labelText: this.textTabRight, - name: 'asc-radio-tab' + this.cmbAlign = new Common.UI.ComboBox({ + el : $('#paraadv-cmb-align'), + style : 'width: 108px;', + menuStyle : 'min-width: 108px;', + editable : false, + cls : 'input-group-nr', + data : this._arrTabAlign }); + this.cmbAlign.setValue(1); this.btnAddTab = new Common.UI.Button({ el: $('#paraadv-button-add-tab') @@ -299,18 +407,45 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced this._changedProps.get_Tabs().add_Tab(tab); }, this); } + + var horizontalAlign = this.cmbTextAlignment.getValue(); + this._changedProps.asc_putJc((horizontalAlign !== undefined && horizontalAlign !== null) ? horizontalAlign : c_paragraphTextAlignment.LEFT); + + if (this.Spacing !== null) { + this._changedProps.asc_putSpacing(this.Spacing); + } + return { paragraphProps: this._changedProps }; }, _setDefaults: function(props) { if (props ){ this._originalProps = new Asc.asc_CParagraphProperty(props); + this.FirstLine = (props.get_Ind() !== null) ? props.get_Ind().get_FirstLine() : null; this.numIndentsLeft.setValue((props.get_Ind() !== null && props.get_Ind().get_Left() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Left()) : '', true); - this.numFirstLine.setMinValue(-this.numIndentsLeft.getNumberValue()); - this.numFirstLine.setValue((props.get_Ind() !== null && props.get_Ind().get_FirstLine() !== null ) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_FirstLine()) : '', true); this.numIndentsRight.setValue((props.get_Ind() !== null && props.get_Ind().get_Right() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Ind().get_Right()) : '', true); + this.cmbTextAlignment.setValue((props.get_Jc() !== undefined && props.get_Jc() !== null) ? props.get_Jc() : c_paragraphTextAlignment.CENTERED, true); + + if(this.CurSpecial === undefined) { + this.CurSpecial = (props.get_Ind().get_FirstLine() === 0) ? c_paragraphSpecial.NONE_SPECIAL : ((props.get_Ind().get_FirstLine() > 0) ? c_paragraphSpecial.FIRST_LINE : c_paragraphSpecial.HANGING); + } + this.cmbSpecial.setValue(this.CurSpecial); + this.numSpecialBy.setValue(this.FirstLine!== null ? Math.abs(Common.Utils.Metric.fnRecalcFromMM(this.FirstLine)) : '', true); + + this.numSpacingBefore.setValue((props.get_Spacing() !== null && props.get_Spacing().get_Before() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_Before()) : '', true); + this.numSpacingAfter.setValue((props.get_Spacing() !== null && props.get_Spacing().get_After() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_After()) : '', true); + + var linerule = props.get_Spacing().get_LineRule(); + this.cmbLineRule.setValue((linerule !== null) ? linerule : '', true); + + if(props.get_Spacing() !== null && props.get_Spacing().get_Line() !== null) { + this.numLineHeight.setValue((linerule==c_paragraphLinerule.LINERULE_AUTO) ? props.get_Spacing().get_Line() : Common.Utils.Metric.fnRecalcFromMM(props.get_Spacing().get_Line()), true); + } else { + this.numLineHeight.setValue('', true); + } + // Font this._noApply = true; this.chStrike.setValue((props.get_Strikeout() !== null && props.get_Strikeout() !== undefined) ? props.get_Strikeout() : 'indeterminate', true); @@ -339,7 +474,8 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced rec.set({ tabPos: pos, value: parseFloat(pos.toFixed(3)) + ' ' + Common.Utils.Metric.getCurrentMetricName(), - tabAlign: tab.get_Value() + tabAlign: tab.get_Value(), + displayTabAlign: this._arrKeyTabAlign[tab.get_Value()] }); arr.push(rec); } @@ -359,13 +495,19 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced for (var i=0; i 0 ) { + this.CurSpecial = c_paragraphSpecial.FIRST_LINE; + this.cmbSpecial.setValue(c_paragraphSpecial.FIRST_LINE); + } else if (value === 0) { + this.CurSpecial = c_paragraphSpecial.NONE_SPECIAL; + this.cmbSpecial.setValue(c_paragraphSpecial.NONE_SPECIAL); + } + this._changedProps.get_Ind().put_FirstLine(value); + } + }, + + onLineRuleSelect: function(combo, record) { + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.get_Spacing(); + } + this.Spacing.LineRule = record.value; + var selectItem = _.findWhere(this._arrLineRule, {value: record.value}), + indexSelectItem = this._arrLineRule.indexOf(selectItem); + if ( this.CurLineRuleIdx !== indexSelectItem ) { + this.numLineHeight.setDefaultUnit(this._arrLineRule[indexSelectItem].defaultUnit); + this.numLineHeight.setMinValue(this._arrLineRule[indexSelectItem].minValue); + this.numLineHeight.setStep(this._arrLineRule[indexSelectItem].step); + if (this.Spacing.LineRule === c_paragraphLinerule.LINERULE_AUTO) { + this.numLineHeight.setValue(this._arrLineRule[indexSelectItem].defaultValue); + } else { + this.numLineHeight.setValue(Common.Utils.Metric.fnRecalcFromMM(this._arrLineRule[indexSelectItem].defaultValue)); + } + this.CurLineRuleIdx = indexSelectItem; + } + }, + + onNumLineHeightChange: function(field, newValue, oldValue, eOpts) { + if ( this.cmbLineRule.getRawValue() === '' ) + return; + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.get_Spacing(); + } + this.Spacing.Line = (this.cmbLineRule.getValue()==c_paragraphLinerule.LINERULE_AUTO) ? field.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); }, textTitle: 'Paragraph - Advanced Settings', - strIndentsFirstLine: 'First line', strIndentsLeftText: 'Left', strIndentsRightText: 'Right', - strParagraphIndents: 'Indents & Placement', + strParagraphIndents: 'Indents & Spacing', strParagraphFont: 'Font', cancelButtonText: 'Cancel', okButtonText: 'Ok', @@ -584,6 +796,19 @@ define([ 'text!presentationeditor/main/app/template/ParagraphSettingsAdvanced textAlign: 'Alignment', textTabPosition: 'Tab Position', textDefault: 'Default Tab', - noTabs: 'The specified tabs will appear in this field' + noTabs: 'The specified tabs will appear in this field', + textJustified: 'Justified', + strIndentsSpecial: 'Special', + textNoneSpecial: '(none)', + textFirstLine: 'First line', + textHanging: 'Hanging', + strIndentsSpacingBefore: 'Before', + strIndentsSpacingAfter: 'After', + strIndentsLineSpacing: 'Line Spacing', + txtAutoText: 'Auto', + textAuto: 'Multiple', + textExact: 'Exactly', + strIndent: 'Indents', + strSpacing: 'Spacing' }, PE.Views.ParagraphSettingsAdvanced || {})); }); \ No newline at end of file diff --git a/apps/presentationeditor/main/app/view/Statusbar.js b/apps/presentationeditor/main/app/view/Statusbar.js index 0c1345649..d0b11b27f 100644 --- a/apps/presentationeditor/main/app/view/Statusbar.js +++ b/apps/presentationeditor/main/app/view/Statusbar.js @@ -251,7 +251,7 @@ define([ this.langMenu = new Common.UI.Menu({ cls: 'lang-menu', style: 'margin-top:-5px;', - restoreHeight: 300, + restoreHeight: 285, itemTemplate: _.template([ '
    ', '', diff --git a/apps/presentationeditor/main/app/view/Toolbar.js b/apps/presentationeditor/main/app/view/Toolbar.js index b0e1a4f69..0956de53b 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 b49cb725a..b3c893869 100644 --- a/apps/presentationeditor/main/locale/bg.json +++ b/apps/presentationeditor/main/locale/bg.json @@ -249,7 +249,7 @@ "PE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права.
    Моля, свържете се с администратора на сървъра за документи.", "PE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Документът не може да бъде редактиран в момента.", - "PE.Controllers.Main.errorConnectToServer": "Документът не можа да бъде запазен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървъра за документи
    тук ", + "PE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук", "PE.Controllers.Main.errorDatabaseConnection": "Външна грешка.
    Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка, в случай че грешката продължава.", "PE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да бъдат дешифрирани.", "PE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.", @@ -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 274d64279..5fb4881ae 100644 --- a/apps/presentationeditor/main/locale/cs.json +++ b/apps/presentationeditor/main/locale/cs.json @@ -140,7 +140,7 @@ "PE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.
    Prosím, kontaktujte administrátora vašeho Dokumentového serveru.", "PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Spojení se serverem ztraceno. Dokument nyní nelze upravovat.", - "PE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "PE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.
    Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.

    Více informací o připojení najdete v Dokumentovém serveru here", "PE.Controllers.Main.errorDatabaseConnection": "Externí chyba.
    Chyba spojení s databází. Prosím kontaktujte podporu, pokud chyba přetrvává.", "PE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.", "PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", @@ -277,7 +277,7 @@ "PE.Controllers.Main.warnBrowserIE9": "Aplikace má slabou podporu v IE9. Použíjte IE10 nebo vyšší", "PE.Controllers.Main.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 80f1b1c78..7fe389d0a 100644 --- a/apps/presentationeditor/main/locale/de.json +++ b/apps/presentationeditor/main/locale/de.json @@ -249,7 +249,7 @@ "PE.Controllers.Main.errorAccessDeny": "Sie haben versucht die Änderungen im Dokument, zu dem Sie keine Berechtigungen haben, vorzunehemen.
    Wenden Sie sich an Ihren Serveradministrator.", "PE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server verloren. Das Dokument kann momentan nicht bearbeitet werden.", - "PE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", + "PE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", "PE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.
    Fehler beim Verbinden zur Datenbank. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.", "PE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", "PE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", @@ -581,8 +581,8 @@ "PE.Controllers.Main.warnLicenseExceeded": "Die Anzahl gleichzeitiger Verbindungen zum Document Server wurde überschritten und das Dokument wird nur zum Anzeigen geöffnet.
    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 f0f2c07d2..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 & Placement", + "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,6 +1358,7 @@ "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position", "PE.Views.ParagraphSettingsAdvanced.textTabRight": "Right", "PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings", + "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto", "PE.Views.RightMenu.txtChartSettings": "Chart settings", "PE.Views.RightMenu.txtImageSettings": "Image settings", "PE.Views.RightMenu.txtParagraphSettings": "Text settings", @@ -1360,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", @@ -1403,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", @@ -1673,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", @@ -1743,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", @@ -1768,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", @@ -1799,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 c3f82212a..ea293e503 100644 --- a/apps/presentationeditor/main/locale/es.json +++ b/apps/presentationeditor/main/locale/es.json @@ -250,7 +250,7 @@ "PE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.
    Por favor, contacte con el Administrador del Servidor de Documentos.", "PE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Se ha perdido la conexión con servidor. El documento no puede ser editado ahora.", - "PE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de la conexión o póngase en contacto con su administrador.
    Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.

    Encuentre más información acerca de conexión de Servidor de Documentos aquí", + "PE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de conexión o póngase en contacto con su administrador.
    Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.

    Encuentre más información acerca de la conexión de Servidor de Documentos aquí", "PE.Controllers.Main.errorDatabaseConnection": "Error externo.
    Error de conexión de base de datos. Por favor póngase en contacto con soporte si el error se mantiene.", "PE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", "PE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.", @@ -582,7 +582,7 @@ "PE.Controllers.Main.warnLicenseExceeded": "Se ha excedido el número permitido de las conexiones simultáneas al servidor de documentos, y el documento se abrirá para sólo lectura.
    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 48df16012..71f901597 100644 --- a/apps/presentationeditor/main/locale/fr.json +++ b/apps/presentationeditor/main/locale/fr.json @@ -250,7 +250,7 @@ "PE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.
    Veuillez contacter l'administrateur de Document Server.", "PE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Connexion au serveur perdue. Le document ne peut être modifié en ce moment.", - "PE.Controllers.Main.errorConnectToServer": "Le document n'a pas pu être enregistré. Veuillez vérifier les paramètres de connexion ou contactez votre administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion de Document Serverici", + "PE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion au Serveur de Documents ici", "PE.Controllers.Main.errorDatabaseConnection": "Erreur externe.
    Erreur de connexion à la base de données. Si l'erreur persiste veillez contactez l'assistance technique.", "PE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.", "PE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", @@ -582,8 +582,8 @@ "PE.Controllers.Main.warnLicenseExceeded": "Le nombre de connexions simultanées sur le serveur de documents a été dépassée et le document sera ouvert en mode lecture seule.
    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 2cf2e8325..18caef57f 100644 --- a/apps/presentationeditor/main/locale/hu.json +++ b/apps/presentationeditor/main/locale/hu.json @@ -249,7 +249,7 @@ "PE.Controllers.Main.errorAccessDeny": "Olyan műveletet próbál végrehajtani, melyre nincs jogosultsága.
    Vegye fel a kapcsolatot a Document Server adminisztrátorával.", "PE.Controllers.Main.errorBadImageUrl": "Hibás kép URL", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Elveszett a kapcsolat a szerverrel. A dokumentum jelenleg nem szerkeszthető.", - "PE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.
    Ha az 'OK'-ra kattint letöltheti a dokumentumot.

    Bővebb információk a Dokumentum Szerverhez kapcsolódásról itt találhat.", + "PE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.
    Ha az 'OK'-ra kattint letöltheti a dokumentumot.

    Bővebb információk a Dokumentum Szerverhez kapcsolódásról itt találhat.", "PE.Controllers.Main.errorDatabaseConnection": "Külső hiba.
    Adatbázis-kapcsolati hiba. Ha a hiba továbbra is fennáll, lépjen kapcsolatba a rendszer támogatással.", "PE.Controllers.Main.errorDataEncrypted": "Titkosított változások érkeztek, melyek feloldása sikertelen.", "PE.Controllers.Main.errorDataRange": "Hibás adattartomány.", @@ -523,8 +523,8 @@ "PE.Controllers.Main.warnLicenseExceeded": "A párhuzamos kapcsolódások száma elérte a maximumot, így a dokumentum csak olvasható módban nyílik meg.
    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 476a7f1ca..6d09d27fc 100644 --- a/apps/presentationeditor/main/locale/it.json +++ b/apps/presentationeditor/main/locale/it.json @@ -251,7 +251,7 @@ "PE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.
    Si prega di contattare l'amministratore del Server dei Documenti.", "PE.Controllers.Main.errorBadImageUrl": "URL dell'immagine errato", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Connessione al server persa. Impossibile modificare il documento.", - "PE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server here", + "PE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", "PE.Controllers.Main.errorDatabaseConnection": "Errore esterno.
    Errore di connessione a banca dati. Si prega di contattare l'assistenza tecnica nel caso in cui l'errore persiste.", "PE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.", "PE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.", @@ -583,7 +583,7 @@ "PE.Controllers.Main.warnLicenseExceeded": "Il numero di connessioni simultanee al server dei documenti è stato superato e il documento verrà aperto solo per la visualizzazione.
    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", @@ -1229,6 +1231,7 @@ "PE.Views.HeaderFooterDialog.diffLanguage": "Non è possibile utilizzare un formato data in una lingua diversa da quella della diapositiva.
    Per cambiare il master, fare clic su \"Applica a tutto\" anziché \"Applica\"", "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Avviso", "PE.Views.HeaderFooterDialog.textDateTime": "Data e ora", + "PE.Views.HeaderFooterDialog.textFixed": "Bloccato", "PE.Views.HeaderFooterDialog.textFooter": "Testo a piè di pagina", "PE.Views.HeaderFooterDialog.textFormat": "Formati", "PE.Views.HeaderFooterDialog.textLang": "Lingua", @@ -1321,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", @@ -1343,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", @@ -1357,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à", @@ -1669,6 +1686,9 @@ "PE.Views.TextArtSettings.txtWood": "Legno", "PE.Views.Toolbar.capAddSlide": "Aggiungi diapositiva", "PE.Views.Toolbar.capBtnComment": "Commento", + "PE.Views.Toolbar.capBtnDateTime": "Data e ora", + "PE.Views.Toolbar.capBtnInsHeader": "Inntestazioni/Piè di pagina", + "PE.Views.Toolbar.capBtnSlideNum": "Numero Diapositiva", "PE.Views.Toolbar.capInsertChart": "Grafico", "PE.Views.Toolbar.capInsertEquation": "Equazione", "PE.Views.Toolbar.capInsertHyperlink": "Collegamento ipertestuale", @@ -1739,7 +1759,9 @@ "PE.Views.Toolbar.tipColorSchemas": "Cambia combinazione colori", "PE.Views.Toolbar.tipCopy": "Copia", "PE.Views.Toolbar.tipCopyStyle": "Copia stile", + "PE.Views.Toolbar.tipDateTime": "Inserisci data e ora correnti", "PE.Views.Toolbar.tipDecPrLeft": "Riduci rientro", + "PE.Views.Toolbar.tipEditHeader": "Modifica intestazione o piè di pagina", "PE.Views.Toolbar.tipFontColor": "Colore caratteri", "PE.Views.Toolbar.tipFontName": "Tipo di carattere", "PE.Views.Toolbar.tipFontSize": "Dimensione carattere", @@ -1764,6 +1786,7 @@ "PE.Views.Toolbar.tipSaveCoauth": "Salva i tuoi cambiamenti per renderli disponibili agli altri utenti.", "PE.Views.Toolbar.tipShapeAlign": "Allinea forma", "PE.Views.Toolbar.tipShapeArrange": "Disponi forma", + "PE.Views.Toolbar.tipSlideNum": "Inserisci Numero Diapositiva", "PE.Views.Toolbar.tipSlideSize": "Seleziona dimensione diapositiva", "PE.Views.Toolbar.tipSlideTheme": "Tema diapositiva", "PE.Views.Toolbar.tipUndo": "Annulla", diff --git a/apps/presentationeditor/main/locale/ja.json b/apps/presentationeditor/main/locale/ja.json index 8dfc16a5e..d537365b3 100644 --- a/apps/presentationeditor/main/locale/ja.json +++ b/apps/presentationeditor/main/locale/ja.json @@ -100,7 +100,7 @@ "PE.Controllers.Main.downloadTextText": "プレゼンテーションのダウンロード中...", "PE.Controllers.Main.downloadTitleText": "プレゼンテーションのダウンロード中", "PE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。", - "PE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
    OKボタンをクリックするとドキュメントをダウンロードするように求められます。

    ドキュメントサーバーの接続の詳細情報を見つけます:here", + "PE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
    OKボタンをクリックするとドキュメントをダウンロードするように求められます。

    ドキュメントサーバーの接続の詳細情報を見つけます:ここに", "PE.Controllers.Main.errorDatabaseConnection": "外部エラーです。
    データベース接続エラーです。この問題は解決しない場合は、サポートにお問い合わせください。 ", "PE.Controllers.Main.errorDataRange": "データ範囲が正しくありません", "PE.Controllers.Main.errorDefaultMessage": "エラー コード:%1", diff --git a/apps/presentationeditor/main/locale/ko.json b/apps/presentationeditor/main/locale/ko.json index fd0181d5f..8273b552c 100644 --- a/apps/presentationeditor/main/locale/ko.json +++ b/apps/presentationeditor/main/locale/ko.json @@ -232,7 +232,7 @@ "PE.Controllers.Main.errorAccessDeny": "권한이없는 작업을 수행하려고합니다.
    Document Server 관리자에게 문의하십시오.", "PE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 지금 문서를 편집 할 수 없습니다.", - "PE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", + "PE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", "PE.Controllers.Main.errorDatabaseConnection": "외부 오류입니다.
    데이터베이스 연결 오류입니다. 오류가 계속 발생하면 지원 담당자에게 문의하십시오.", "PE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.", "PE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1", @@ -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 095865db0..2408b271d 100644 --- a/apps/presentationeditor/main/locale/lv.json +++ b/apps/presentationeditor/main/locale/lv.json @@ -229,7 +229,7 @@ "PE.Controllers.Main.errorAccessDeny": "Jūs mēģināt veikt darbību, kuru nedrīkstat veikt.
    Lūdzu, sazinieties ar savu dokumentu servera administratoru.", "PE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.", - "PE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "PE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk par dokumentu servera pieslēgšanu šeit", "PE.Controllers.Main.errorDatabaseConnection": "External error.
    Database connection error. Please contact support in case the error persists.", "PE.Controllers.Main.errorDataRange": "Incorrect data range.", "PE.Controllers.Main.errorDefaultMessage": "Error code: %1", @@ -373,8 +373,8 @@ "PE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher", "PE.Controllers.Main.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 391635b8f..ed95a2444 100644 --- a/apps/presentationeditor/main/locale/nl.json +++ b/apps/presentationeditor/main/locale/nl.json @@ -232,7 +232,7 @@ "PE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.
    Neem contact op met de beheerder van de documentserver.", "PE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server is verbroken. Het document kan op dit moment niet worden bewerkt.", - "PE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd om het document te downloaden.

    Meer informatie over de verbinding met een documentserver is hier te vinden.", + "PE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.

    Meer informatie over verbindingen met de documentserver is hier te vinden.", "PE.Controllers.Main.errorDatabaseConnection": "Externe fout.
    Fout in databaseverbinding. Neem contact op met Support als deze fout zich blijft voordoen.", "PE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik.", "PE.Controllers.Main.errorDefaultMessage": "Foutcode: %1", @@ -382,8 +382,8 @@ "PE.Controllers.Main.warnBrowserIE9": "Met IE9 heeft de toepassing beperkte mogelijkheden. Gebruik IE10 of hoger.", "PE.Controllers.Main.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 18542e458..51ab403ac 100644 --- a/apps/presentationeditor/main/locale/pl.json +++ b/apps/presentationeditor/main/locale/pl.json @@ -138,7 +138,7 @@ "PE.Controllers.Main.errorAccessDeny": "Próbujesz wykonać działanie, na które nie masz uprawnień.
    Proszę skontaktować się z administratorem serwera dokumentów.", "PE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie można teraz edytować dokumentu.", - "PE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", + "PE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", "PE.Controllers.Main.errorDatabaseConnection": "Błąd zewnętrzny.
    Błąd połączenia z bazą danych. W przypadku wystąpienia błędu należy skontaktować się z pomocą techniczną.", "PE.Controllers.Main.errorDataRange": "Błędny zakres danych.", "PE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1", @@ -275,7 +275,7 @@ "PE.Controllers.Main.warnBrowserIE9": "Aplikacja ma małe możliwości w IE9. Użyj przeglądarki IE10 lub nowszej.", "PE.Controllers.Main.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ć?", @@ -1251,8 +1251,8 @@ "PE.Views.Toolbar.capInsertTable": "Tabela", "PE.Views.Toolbar.capInsertText": "Pole tekstowe", "PE.Views.Toolbar.capTabFile": "Plik", - "PE.Views.Toolbar.capTabHome": "Strona główna", - "PE.Views.Toolbar.capTabInsert": "Wstawić", + "PE.Views.Toolbar.capTabHome": "Narzędzia główne", + "PE.Views.Toolbar.capTabInsert": "Wstawianie", "PE.Views.Toolbar.mniCustomTable": "Wstaw tabelę niestandardową", "PE.Views.Toolbar.mniImageFromFile": "Obraz z pliku", "PE.Views.Toolbar.mniImageFromUrl": "Obraz z URL", @@ -1297,9 +1297,10 @@ "PE.Views.Toolbar.textSubscript": "Indeks dolny", "PE.Views.Toolbar.textSuperscript": "Indeks górny", "PE.Views.Toolbar.textSurface": "Powierzchnia", + "PE.Views.Toolbar.textTabCollaboration": "Współpraca", "PE.Views.Toolbar.textTabFile": "Plik", - "PE.Views.Toolbar.textTabHome": "Start", - "PE.Views.Toolbar.textTabInsert": "Wstawić", + "PE.Views.Toolbar.textTabHome": "Narzędzia główne", + "PE.Views.Toolbar.textTabInsert": "Wstawianie", "PE.Views.Toolbar.textTitleError": "Błąd", "PE.Views.Toolbar.textUnderline": "Podkreśl", "PE.Views.Toolbar.tipAddSlide": "Dodaj slajd", @@ -1310,6 +1311,7 @@ "PE.Views.Toolbar.tipColorSchemas": "Zmień schemat kolorów", "PE.Views.Toolbar.tipCopy": "Kopiuj", "PE.Views.Toolbar.tipCopyStyle": "Kopiuj styl", + "PE.Views.Toolbar.tipDateTime": "Wstaw aktualną datę i godzinę", "PE.Views.Toolbar.tipDecPrLeft": "Zmniejsz wcięcie", "PE.Views.Toolbar.tipFontColor": "Kolor czcionki", "PE.Views.Toolbar.tipFontName": "Czcionka", @@ -1335,6 +1337,7 @@ "PE.Views.Toolbar.tipSaveCoauth": "Zapisz swoje zmiany, aby inni użytkownicy mogli je zobaczyć.", "PE.Views.Toolbar.tipShapeAlign": "Wyrównaj kształt", "PE.Views.Toolbar.tipShapeArrange": "Uformuj kształt", + "PE.Views.Toolbar.tipSlideNum": "Wstaw numer slajdu", "PE.Views.Toolbar.tipSlideSize": "Wybierz rozmiar slajdu", "PE.Views.Toolbar.tipSlideTheme": "Motyw slajdu", "PE.Views.Toolbar.tipUndo": "Anulować", diff --git a/apps/presentationeditor/main/locale/pt.json b/apps/presentationeditor/main/locale/pt.json index deca19b47..cb30a54cf 100644 --- a/apps/presentationeditor/main/locale/pt.json +++ b/apps/presentationeditor/main/locale/pt.json @@ -137,7 +137,7 @@ "PE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação para a qual não tem direitos.
    Entre em contato com o administrador do Document Server.", "PE.Controllers.Main.errorBadImageUrl": "URL da imagem está incorreta", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", - "PE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "PE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.
    Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento.

    Encontre mais informações sobre como conecta ao Document Server aqui", "PE.Controllers.Main.errorDatabaseConnection": "Erro externo.
    Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.", "PE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", "PE.Controllers.Main.errorDefaultMessage": "Código do erro: %1", @@ -274,7 +274,7 @@ "PE.Controllers.Main.warnBrowserIE9": "O aplicativo tem baixa capacidade no IE9. Usar IE10 ou superior", "PE.Controllers.Main.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 fc6dd38ba..218409f78 100644 --- a/apps/presentationeditor/main/locale/ru.json +++ b/apps/presentationeditor/main/locale/ru.json @@ -583,7 +583,7 @@ "PE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", "PE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.
    Обновите лицензию, а затем обновите страницу.", "PE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", - "PE.Controllers.Main.warnNoLicense": "Эта версия редакторов ONLYOFFICE имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", + "PE.Controllers.Main.warnNoLicense": "Эта версия редакторов %1 имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "PE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "PE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", "PE.Controllers.Statusbar.zoomText": "Масштаб {0}%", @@ -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": "Язык", @@ -1323,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.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": "Задать", @@ -1345,6 +1358,7 @@ "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Позиция", "PE.Views.ParagraphSettingsAdvanced.textTabRight": "По правому краю", "PE.Views.ParagraphSettingsAdvanced.textTitle": "Абзац - дополнительные параметры", + "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто", "PE.Views.RightMenu.txtChartSettings": "Параметры диаграммы", "PE.Views.RightMenu.txtImageSettings": "Параметры изображения", "PE.Views.RightMenu.txtParagraphSettings": "Параметры текста", @@ -1359,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": "Непрозрачность", @@ -1402,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": "Колонки", @@ -1672,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": "Гиперссылка", @@ -1742,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": "Размер шрифта", @@ -1767,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": "Отменить", diff --git a/apps/presentationeditor/main/locale/sk.json b/apps/presentationeditor/main/locale/sk.json index b728dc62b..2da9298ba 100644 --- a/apps/presentationeditor/main/locale/sk.json +++ b/apps/presentationeditor/main/locale/sk.json @@ -195,7 +195,7 @@ "PE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
    Prosím, kontaktujte svojho správcu dokumentového servera. ", "PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", - "PE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", + "PE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", "PE.Controllers.Main.errorDatabaseConnection": "Externá chyba.
    Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ", "PE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", "PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", @@ -337,7 +337,7 @@ "PE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.", "PE.Controllers.Main.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 1a8414a64..05408e16f 100644 --- a/apps/presentationeditor/main/locale/tr.json +++ b/apps/presentationeditor/main/locale/tr.json @@ -152,7 +152,7 @@ "PE.Controllers.Main.errorAccessDeny": "Hakkınız olmayan bir eylem gerçekleştirmeye çalışıyorsunuz.
    Lütfen Belge Sunucu yöneticinize başvurun.", "PE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.", - "PE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "PE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.

    Belge Sunucusuna bağlanma konusunda daha fazla bilgi için buraya tıklayın", "PE.Controllers.Main.errorDatabaseConnection": "Harci hata.
    Veri tabanı bağlantı hatası. Hata devam ederse lütfen destek ile iletişime geçin.", "PE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", "PE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1", @@ -301,7 +301,7 @@ "PE.Controllers.Main.warnBrowserIE9": "Uygulama IE9'da düşük yeteneklere sahip. IE10 yada daha yükseğini kullanınız", "PE.Controllers.Main.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 8ff130ec3..db734989a 100644 --- a/apps/presentationeditor/main/locale/uk.json +++ b/apps/presentationeditor/main/locale/uk.json @@ -137,7 +137,7 @@ "PE.Controllers.Main.errorAccessDeny": "Ви намагаєтеся виконати дію, на яку у вас немає прав.
    Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.", "PE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "PE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.", - "PE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів тут ", + "PE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів
    тут", "PE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка.
    Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки, якщо помилка не зникне.", "PE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "PE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", @@ -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 a704956ec..5e275c58c 100644 --- a/apps/presentationeditor/main/locale/vi.json +++ b/apps/presentationeditor/main/locale/vi.json @@ -138,7 +138,7 @@ "PE.Controllers.Main.errorAccessDeny": "Bạn đang cố gắng thực hiện hành động mà bạn không có quyền.
    Vui lòng liên hệ với quản trị viên Server Tài liệu của bạn.", "PE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Mất kết nối server. Không thể chỉnh sửa tài liệu ngay lúc này.", - "PE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", + "PE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", "PE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.
    Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ trong trường hợp lỗi vẫn còn.", "PE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.", "PE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1", @@ -274,7 +274,7 @@ "PE.Controllers.Main.warnBrowserIE9": "Ứng dụng vận hành kém trên IE9. Sử dụng IE10 hoặc cao hơn", "PE.Controllers.Main.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 76b36854e..a90296e7f 100644 --- a/apps/presentationeditor/main/locale/zh.json +++ b/apps/presentationeditor/main/locale/zh.json @@ -249,7 +249,7 @@ "PE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
    请联系您的文档服务器管理员.", "PE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "PE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", - "PE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器在这里", + "PE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器
    在这里", "PE.Controllers.Main.errorDatabaseConnection": "外部错误。
    数据库连接错误。如果错误仍然存​​在,请联系支持人员。", "PE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", "PE.Controllers.Main.errorDataRange": "数据范围不正确", @@ -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/app.js b/apps/presentationeditor/mobile/app.js index c2f9901d1..ec416bc5e 100644 --- a/apps/presentationeditor/mobile/app.js +++ b/apps/presentationeditor/mobile/app.js @@ -181,7 +181,7 @@ require([ //Store Framework7 initialized instance for easy access window.uiApp = new Framework7({ // Default title for modals - modalTitle: '{{MOBILE_MODAL_TITLE}}', + modalTitle: '{{APP_TITLE_TEXT}}', // If it is webapp, we can enable hash navigation: // pushState: false, diff --git a/apps/presentationeditor/mobile/app/template/Settings.template b/apps/presentationeditor/mobile/app/template/Settings.template index bcb316596..13dfa7993 100644 --- a/apps/presentationeditor/mobile/app/template/Settings.template +++ b/apps/presentationeditor/mobile/app/template/Settings.template @@ -183,16 +183,6 @@
    -
    <%= scope.textSubject %>
    -
    -
      -
    • -
      -
      <%= scope.textLoading %>
      -
      -
    • -
    -
    <%= scope.textTitle %>
      @@ -203,6 +193,16 @@
    +
    <%= scope.textSubject %>
    +
    +
      +
    • +
      +
      <%= scope.textLoading %>
      +
      +
    • +
    +
    <%= scope.textComment %>
      @@ -386,21 +386,21 @@

    PRESENTATION EDITOR

    -

    <%= scope.textVersion %> {{PRODUCT_VERSION}}

    +

    <%= scope.textVersion %> <%= prodversion %>

    diff --git a/apps/presentationeditor/mobile/app/view/Settings.js b/apps/presentationeditor/mobile/app/view/Settings.js index 11b654716..e9986f8e3 100644 --- a/apps/presentationeditor/mobile/app/view/Settings.js +++ b/apps/presentationeditor/mobile/app/view/Settings.js @@ -92,7 +92,14 @@ define([ android: Common.SharedSettings.get('android'), phone: Common.SharedSettings.get('phone'), scope: this, - width: $(window).width() + width: $(window).width(), + prodversion: '{{PRODUCT_VERSION}}', + publishername: '{{PUBLISHER_NAME}}', + publisheraddr: '{{PUBLISHER_ADDRESS}}', + publisherurl: '{{PUBLISHER_URL}}', + printed_url: ("{{PUBLISHER_URL}}").replace(/https?:\/{2}/, "").replace(/\/$/,""), + supportemail: '{{SUPPORT_EMAIL}}', + phonenum: '{{PUBLISHER_PHONE}}' })); return this; @@ -180,7 +187,18 @@ define([ }, showHelp: function () { - window.open('{{SUPPORT_URL}}', "_blank"); + var url = '{{HELP_URL}}'; + if (url.charAt(url.length-1) !== '/') { + url += '/'; + } + if (Common.SharedSettings.get('sailfish')) { + url+='mobile-applications/documents/sailfish/index.aspx'; + } else if (Common.SharedSettings.get('android')) { + url+='mobile-applications/documents/android/index.aspx'; + } else { + url+='mobile-applications/documents/index.aspx'; + } + window.open(url, "_blank"); PE.getController('Settings').hideModal(); }, diff --git a/apps/presentationeditor/mobile/locale/bg.json b/apps/presentationeditor/mobile/locale/bg.json index 262ee7f84..40fe06b1b 100644 --- a/apps/presentationeditor/mobile/locale/bg.json +++ b/apps/presentationeditor/mobile/locale/bg.json @@ -65,14 +65,13 @@ "PE.Controllers.Main.convertationTimeoutText": "Превишава се времето на изтичане на реализациите.", "PE.Controllers.Main.criticalErrorExtText": "Натиснете 'OK', за да се върнете към списъка с документи.", "PE.Controllers.Main.criticalErrorTitle": "Грешка", - "PE.Controllers.Main.defaultTitleText": "Редактор на презентации ONLYOFFICE", "PE.Controllers.Main.downloadErrorText": "Изтеглянето се провали.", "PE.Controllers.Main.downloadTextText": "Представя се се изтегли ...", "PE.Controllers.Main.downloadTitleText": "Изтегляне на презентация", "PE.Controllers.Main.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права.
    Моля, свържете се с администратора на сървъра за документи.", "PE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Вече не може да редактирате.", - "PE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук ", + "PE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук", "PE.Controllers.Main.errorDatabaseConnection": "Външна грешка.
    Грешка при свързване към база данни. Моля, свържете се с екипа за поддръжка.", "PE.Controllers.Main.errorDataEncrypted": "Получени са криптирани промени, които не могат да бъдат дешифрирани.", "PE.Controllers.Main.errorDataRange": "Неправилен обхват от данни.", @@ -215,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 f6349fe05..409caac24 100644 --- a/apps/presentationeditor/mobile/locale/cs.json +++ b/apps/presentationeditor/mobile/locale/cs.json @@ -63,14 +63,13 @@ "PE.Controllers.Main.convertationTimeoutText": "Vypršel čas konverze.", "PE.Controllers.Main.criticalErrorExtText": "Stisknutím tlačítka \"OK\" se vrátíte do seznamu dokumentů.", "PE.Controllers.Main.criticalErrorTitle": "Chyba", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Stahování selhalo.", "PE.Controllers.Main.downloadTextText": "Stahování dokumentu...", "PE.Controllers.Main.downloadTitleText": "Stahování dokumentu", "PE.Controllers.Main.errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.
    Prosím, kontaktujte administrátora vašeho Dokumentového serveru.", "PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové připojení bylo ztraceno. Nadále nemůžete editovat.", - "PE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.
    Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.

    Více informací o připojení najdete v Dokumentovém serveru here", + "PE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.
    Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.

    Více informací o připojení najdete v Dokumentovém serveru here", "PE.Controllers.Main.errorDatabaseConnection": "Externí chyba.
    Chyba připojení k databázi. Prosím, kontaktujte podporu.", "PE.Controllers.Main.errorDataRange": "Nesprávný datový rozsah.", "PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", @@ -205,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 8443205c8..20052da6a 100644 --- a/apps/presentationeditor/mobile/locale/de.json +++ b/apps/presentationeditor/mobile/locale/de.json @@ -65,14 +65,13 @@ "PE.Controllers.Main.convertationTimeoutText": "Timeout für die Konvertierung wurde überschritten.", "PE.Controllers.Main.criticalErrorExtText": "Drücken Sie \"OK\", um zur Dokumentenliste zurückzukehren.", "PE.Controllers.Main.criticalErrorTitle": "Fehler", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Herunterladen ist fehlgeschlagen.", "PE.Controllers.Main.downloadTextText": "Präsentation wird heruntergeladen...", "PE.Controllers.Main.downloadTitleText": "Präsentation wird heruntergeladen", "PE.Controllers.Main.errorAccessDeny": "Sie versuchen die Änderungen vorzunehemen, für die Sie keine Berechtigungen haben.
    Wenden Sie sich an Ihren Document Server Serveradministrator.", "PE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Sie können nicht mehr editieren.", - "PE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", + "PE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", "PE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.
    Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.", "PE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", "PE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", @@ -215,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 7a1efc21a..d4d763049 100644 --- a/apps/presentationeditor/mobile/locale/en.json +++ b/apps/presentationeditor/mobile/locale/en.json @@ -1,8 +1,14 @@ { + "Common.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", "Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors", "Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Back", + "Common.Views.Collaboration.textCollaboration": "Collaboration", + "Common.Views.Collaboration.textEditUsers": "Users", + "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", @@ -23,7 +29,6 @@ "PE.Controllers.AddTable.textColumns": "Columns", "PE.Controllers.AddTable.textRows": "Rows", "PE.Controllers.AddTable.textTableSize": "Table Size", - "del_PE.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", "PE.Controllers.DocumentHolder.menuAddLink": "Add Link", "PE.Controllers.DocumentHolder.menuCopy": "Copy", "PE.Controllers.DocumentHolder.menuCut": "Cut", @@ -66,7 +71,6 @@ "PE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.", "PE.Controllers.Main.criticalErrorExtText": "Press 'OK' to return to document list.", "PE.Controllers.Main.criticalErrorTitle": "Error", - "del_PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Download failed.", "PE.Controllers.Main.downloadTextText": "Downloading presentation...", "PE.Controllers.Main.downloadTitleText": "Downloading Presentation", @@ -216,7 +220,7 @@ "PE.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.", "PE.Controllers.Main.warnLicenseExp": "Your license has expired.
    Please update your license and refresh the page.", "PE.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.", - "PE.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.", + "PE.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.", "PE.Controllers.Main.warnNoLicenseUsers": "This version of %1 editors has certain limitations for concurrent users.
    If you need more please consider purchasing a commercial license.", "PE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", "PE.Controllers.Search.textNoTextFound": "Text not Found", @@ -227,7 +231,6 @@ "PE.Controllers.Toolbar.dlgLeaveTitleText": "You leave the application", "PE.Controllers.Toolbar.leaveButtonText": "Leave this Page", "PE.Controllers.Toolbar.stayButtonText": "Stay on this Page", - "Common.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", "PE.Views.AddImage.textAddress": "Address", "PE.Views.AddImage.textBack": "Back", "PE.Views.AddImage.textFromLibrary": "Picture from Library", @@ -249,10 +252,6 @@ "PE.Views.AddLink.textNumber": "Slide Number", "PE.Views.AddLink.textPrev": "Previous Slide", "PE.Views.AddLink.textTip": "Screen Tip", - "del_PE.Views.Collaboration.textBack": "Back", - "del_PE.Views.Collaboration.textCollaboration": "Collaboration", - "del_PE.Views.Collaboration.textEditUsers": "Users", - "del_PE.Views.Collaboration.textСomments": "Сomments", "PE.Views.EditChart.textAlign": "Align", "PE.Views.EditChart.textAlignBottom": "Align Bottom", "PE.Views.EditChart.textAlignCenter": "Align Center", @@ -446,16 +445,19 @@ "PE.Views.Search.textFindAndReplace": "Find and Replace", "PE.Views.Search.textReplace": "Replace", "PE.Views.Search.textSearch": "Search", + "PE.Views.Settings. textComment": "Comment", "PE.Views.Settings.mniSlideStandard": "Standard (4:3)", "PE.Views.Settings.mniSlideWide": "Widescreen (16:9)", "PE.Views.Settings.textAbout": "About", "PE.Views.Settings.textAddress": "address", + "PE.Views.Settings.textApplication": "Application", "PE.Views.Settings.textApplicationSettings": "Application Settings", "PE.Views.Settings.textAuthor": "Author", "PE.Views.Settings.textBack": "Back", "PE.Views.Settings.textCentimeter": "Centimeter", "PE.Views.Settings.textCollaboration": "Collaboration", "PE.Views.Settings.textColorSchemes": "Color Schemes", + "PE.Views.Settings.textCreated": "Created", "PE.Views.Settings.textCreateDate": "Creation date", "PE.Views.Settings.textDone": "Done", "PE.Views.Settings.textDownload": "Download", @@ -466,7 +468,11 @@ "PE.Views.Settings.textFindAndReplace": "Find and Replace", "PE.Views.Settings.textHelp": "Help", "PE.Views.Settings.textInch": "Inch", + "PE.Views.Settings.textLastModified": "Last Modified", + "PE.Views.Settings.textLastModifiedBy": "Last Modified By", "PE.Views.Settings.textLoading": "Loading...", + "PE.Views.Settings.textLocation": "Location", + "PE.Views.Settings.textOwner": "Owner", "PE.Views.Settings.textPoint": "Point", "PE.Views.Settings.textPoweredBy": "Powered by", "PE.Views.Settings.textPresentInfo": "Presentation Info", @@ -477,23 +483,12 @@ "PE.Views.Settings.textSettings": "Settings", "PE.Views.Settings.textSlideSize": "Slide Size", "PE.Views.Settings.textSpellcheck": "Spell Checking", + "PE.Views.Settings.textSubject": "Subject", "PE.Views.Settings.textTel": "tel", + "PE.Views.Settings.textTitle": "Title", "PE.Views.Settings.textUnitOfMeasurement": "Unit of Measurement", + "PE.Views.Settings.textUploaded": "Uploaded", "PE.Views.Settings.textVersion": "Version", "PE.Views.Settings.unknownText": "Unknown", - "PE.Views.Settings.textSubject": "Subject", - "PE.Views.Settings.textTitle": "Title", - "PE.Views.Settings. textComment": "Comment", - "PE.Views.Settings.textOwner": "Owner", - "PE.Views.Settings.textApplication": "Application", - "PE.Views.Settings.textCreated": "Created", - "PE.Views.Settings.textLastModified": "Last Modified", - "PE.Views.Settings.textLastModifiedBy": "Last Modified By", - "PE.Views.Settings.textUploaded": "Uploaded", - "PE.Views.Settings.textLocation": "Location", - "PE.Views.Toolbar.textBack": "Back", - "Common.Views.Collaboration.textBack": "Back", - "Common.Views.Collaboration.textCollaboration": "Collaboration", - "Common.Views.Collaboration.textEditUsers": "Users", - "Common.Views.Collaboration.textСomments": "Сomments" + "PE.Views.Toolbar.textBack": "Back" } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/es.json b/apps/presentationeditor/mobile/locale/es.json index 665348324..28cb524c0 100644 --- a/apps/presentationeditor/mobile/locale/es.json +++ b/apps/presentationeditor/mobile/locale/es.json @@ -1,8 +1,13 @@ { + "Common.Controllers.Collaboration.textEditUser": "Actualmente el documento está siendo editado por múltiples usuarios.", "Common.UI.ThemeColorPalette.textStandartColors": "Colores estándar", "Common.UI.ThemeColorPalette.textThemeColors": "Colores de tema", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Atrás", + "Common.Views.Collaboration.textCollaboration": "Colaboración", + "Common.Views.Collaboration.textEditUsers": "Usuarios", + "Common.Views.Collaboration.textСomments": "Comentarios", "PE.Controllers.AddContainer.textImage": "Imagen", "PE.Controllers.AddContainer.textLink": "Enlace", "PE.Controllers.AddContainer.textShape": "Forma", @@ -23,7 +28,6 @@ "PE.Controllers.AddTable.textColumns": "Columnas", "PE.Controllers.AddTable.textRows": "Filas", "PE.Controllers.AddTable.textTableSize": "Tamaño de tabla", - "Common.Controllers.Collaboration.textEditUser": "Actualmente el documento está siendo editado por múltiples usuarios.", "PE.Controllers.DocumentHolder.menuAddLink": "Añadir enlace ", "PE.Controllers.DocumentHolder.menuCopy": "Copiar ", "PE.Controllers.DocumentHolder.menuCut": "Cortar", @@ -66,14 +70,13 @@ "PE.Controllers.Main.convertationTimeoutText": "Tiempo de conversión está superado.", "PE.Controllers.Main.criticalErrorExtText": "Pulse 'OK' para volver a la lista de documentos.", "PE.Controllers.Main.criticalErrorTitle": "Error", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Error en la descarga", "PE.Controllers.Main.downloadTextText": "Descargando presentación...", "PE.Controllers.Main.downloadTitleText": "Descargando presentación", "PE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.
    Por favor, contacte con su Administrador del Servidor de Documentos.", "PE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto", "PE.Controllers.Main.errorCoAuthoringDisconnect": "La conexión al servidor se ha perdido. Usted ya no puede editar.", - "PE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de la conexión o póngase en contacto con su administrador.
    Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.

    Encuentre más información acerca de conexión de Servidor de Documentos aquí", + "PE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de conexión o póngase en contacto con su administrador.
    Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.

    Encuentre más información acerca de la conexión de Servidor de Documentos aquí", "PE.Controllers.Main.errorDatabaseConnection": "Error externo.
    Error de conexión a la base de datos. Por favor, contacte con el equipo de soporte técnico.", "PE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", "PE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.", @@ -216,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", @@ -248,10 +251,6 @@ "PE.Views.AddLink.textNumber": "Número de diapositiva", "PE.Views.AddLink.textPrev": "Diapositiva anterior", "PE.Views.AddLink.textTip": "Consejo de pantalla", - "Common.Views.Collaboration.textBack": "Atrás", - "Common.Views.Collaboration.textCollaboration": "Colaboración", - "Common.Views.Collaboration.textEditUsers": "Usuarios", - "Common.Views.Collaboration.textСomments": "Comentarios", "PE.Views.EditChart.textAlign": "Alineación", "PE.Views.EditChart.textAlignBottom": "Alinear en la parte inferior", "PE.Views.EditChart.textAlignCenter": "Alinear al centro", diff --git a/apps/presentationeditor/mobile/locale/fr.json b/apps/presentationeditor/mobile/locale/fr.json index c677685a8..2abdc6e2c 100644 --- a/apps/presentationeditor/mobile/locale/fr.json +++ b/apps/presentationeditor/mobile/locale/fr.json @@ -1,8 +1,13 @@ { + "Common.Controllers.Collaboration.textEditUser": "Document est en cours de modification par plusieurs utilisateurs.", "Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard", "Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Retour", + "Common.Views.Collaboration.textCollaboration": "Collaboration", + "Common.Views.Collaboration.textEditUsers": "Utilisateurs", + "Common.Views.Collaboration.textСomments": "Commentaires", "PE.Controllers.AddContainer.textImage": "Image", "PE.Controllers.AddContainer.textLink": "Lien", "PE.Controllers.AddContainer.textShape": "Forme", @@ -23,7 +28,6 @@ "PE.Controllers.AddTable.textColumns": "Colonnes", "PE.Controllers.AddTable.textRows": "Lignes", "PE.Controllers.AddTable.textTableSize": "Taille du tableau", - "Common.Controllers.Collaboration.textEditUser": "Document est en cours de modification par plusieurs utilisateurs.", "PE.Controllers.DocumentHolder.menuAddLink": "Ajouter le lien", "PE.Controllers.DocumentHolder.menuCopy": "Copier", "PE.Controllers.DocumentHolder.menuCut": "Couper", @@ -66,14 +70,13 @@ "PE.Controllers.Main.convertationTimeoutText": "Délai de conversion expiré.", "PE.Controllers.Main.criticalErrorExtText": "Appuyez sur OK pour revenir à la liste des documents.", "PE.Controllers.Main.criticalErrorTitle": "Erreur", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Échec du téléchargement.", "PE.Controllers.Main.downloadTextText": "Téléchargement de la présentation...", "PE.Controllers.Main.downloadTitleText": "Téléchargement de la présentation", "PE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas de droits.
    Veuillez contacter l'administrateur de Document Server.", "PE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte", "PE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.", - "PE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion au serveur de documents ici", + "PE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion au Serveur de Documents ici", "PE.Controllers.Main.errorDatabaseConnection": "Erreur externe.
    Erreur de connexion à la base de données.Contactez le support.", "PE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.", "PE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", @@ -216,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", @@ -248,10 +251,6 @@ "PE.Views.AddLink.textNumber": "Numéro de diapositive", "PE.Views.AddLink.textPrev": "Diapositive précédente", "PE.Views.AddLink.textTip": "Info-bulle", - "Common.Views.Collaboration.textBack": "Retour", - "Common.Views.Collaboration.textCollaboration": "Collaboration", - "Common.Views.Collaboration.textEditUsers": "Utilisateurs", - "Common.Views.Collaboration.textСomments": "Commentaires", "PE.Views.EditChart.textAlign": "Aligner", "PE.Views.EditChart.textAlignBottom": "Aligner en bas", "PE.Views.EditChart.textAlignCenter": "Aligner au centre", diff --git a/apps/presentationeditor/mobile/locale/hu.json b/apps/presentationeditor/mobile/locale/hu.json index d7b66b433..388bd6e9d 100644 --- a/apps/presentationeditor/mobile/locale/hu.json +++ b/apps/presentationeditor/mobile/locale/hu.json @@ -1,8 +1,13 @@ { + "Common.Controllers.Collaboration.textEditUser": "A dokumentumot jelenleg több felhasználó szerkeszti.", "Common.UI.ThemeColorPalette.textStandartColors": "Sztenderd színek", "Common.UI.ThemeColorPalette.textThemeColors": "Téma színek", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Vissza", + "Common.Views.Collaboration.textCollaboration": "Együttműködés", + "Common.Views.Collaboration.textEditUsers": "Felhasználók", + "Common.Views.Collaboration.textСomments": "Hozzászólások", "PE.Controllers.AddContainer.textImage": "Kép", "PE.Controllers.AddContainer.textLink": "Link", "PE.Controllers.AddContainer.textShape": "Alakzat", @@ -23,7 +28,6 @@ "PE.Controllers.AddTable.textColumns": "Oszlopok", "PE.Controllers.AddTable.textRows": "Sorok", "PE.Controllers.AddTable.textTableSize": "Táblázat méret", - "Common.Controllers.Collaboration.textEditUser": "A dokumentumot jelenleg több felhasználó szerkeszti.", "PE.Controllers.DocumentHolder.menuAddLink": "Link hozzáadása", "PE.Controllers.DocumentHolder.menuCopy": "Másol", "PE.Controllers.DocumentHolder.menuCut": "Kivág", @@ -66,7 +70,6 @@ "PE.Controllers.Main.convertationTimeoutText": "Időtúllépés az átalakítás során.", "PE.Controllers.Main.criticalErrorExtText": "Nyomja meg az \"OK\"-t a dokumentumok listájához.", "PE.Controllers.Main.criticalErrorTitle": "Hiba", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Prezentáció Szerkesztő", "PE.Controllers.Main.downloadErrorText": "Sikertelen letöltés.", "PE.Controllers.Main.downloadTextText": "Prezentáció letöltése...", "PE.Controllers.Main.downloadTitleText": "Prezentáció letöltése", @@ -216,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", @@ -248,10 +251,6 @@ "PE.Views.AddLink.textNumber": "Dia száma", "PE.Views.AddLink.textPrev": "Korábbi dia", "PE.Views.AddLink.textTip": "Gyorstipp", - "Common.Views.Collaboration.textBack": "Vissza", - "Common.Views.Collaboration.textCollaboration": "Együttműködés", - "Common.Views.Collaboration.textEditUsers": "Felhasználók", - "Common.Views.Collaboration.textСomments": "Hozzászólások", "PE.Views.EditChart.textAlign": "Rendez", "PE.Views.EditChart.textAlignBottom": "Alulra rendez", "PE.Views.EditChart.textAlignCenter": "Középre rendez", diff --git a/apps/presentationeditor/mobile/locale/it.json b/apps/presentationeditor/mobile/locale/it.json index eeaf759c4..98fc2183b 100644 --- a/apps/presentationeditor/mobile/locale/it.json +++ b/apps/presentationeditor/mobile/locale/it.json @@ -1,8 +1,14 @@ { + "Common.Controllers.Collaboration.textEditUser": "È in corso la modifica del documento da parte di più utenti.", "Common.UI.ThemeColorPalette.textStandartColors": "Colori standard", "Common.UI.ThemeColorPalette.textThemeColors": "Colori del tema", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "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", "PE.Controllers.AddContainer.textShape": "Forma", @@ -23,7 +29,6 @@ "PE.Controllers.AddTable.textColumns": "Colonne", "PE.Controllers.AddTable.textRows": "Righe", "PE.Controllers.AddTable.textTableSize": "Dimensioni tabella", - "Common.Controllers.Collaboration.textEditUser": "È in corso la modifica del documento da parte di più utenti.", "PE.Controllers.DocumentHolder.menuAddLink": "Aggiungi collegamento", "PE.Controllers.DocumentHolder.menuCopy": "Copia", "PE.Controllers.DocumentHolder.menuCut": "Taglia", @@ -66,14 +71,13 @@ "PE.Controllers.Main.convertationTimeoutText": "È stato superato il tempo limite della conversione.", "PE.Controllers.Main.criticalErrorExtText": "Clicca 'OK' per tornare alla lista documento", "PE.Controllers.Main.criticalErrorTitle": "Errore", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Download non riuscito.", "PE.Controllers.Main.downloadTextText": "Download della presentazione in corso...", "PE.Controllers.Main.downloadTitleText": "Download della presentazione", "PE.Controllers.Main.errorAccessDeny": "Stai tentando di eseguire un'azione per la quale non disponi di permessi sufficienti.
    Si prega di contattare l'amministratore del Server dei Documenti.", "PE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Scollegato dal server. Non è possibile modificare.", - "PE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", + "PE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", "PE.Controllers.Main.errorDatabaseConnection": "Errore esterno.
    Errore di connessione al database. Si prega di contattare il supporto.", "PE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.", "PE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.", @@ -216,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", @@ -248,10 +252,6 @@ "PE.Views.AddLink.textNumber": "Numero Diapositiva", "PE.Views.AddLink.textPrev": "Diapositiva precedente", "PE.Views.AddLink.textTip": "Suggerimento ", - "Common.Views.Collaboration.textBack": "Indietro", - "Common.Views.Collaboration.textCollaboration": "Collaborazione", - "Common.Views.Collaboration.textEditUsers": "Utenti", - "Common.Views.Collaboration.textСomments": "Сommenti", "PE.Views.EditChart.textAlign": "Allinea", "PE.Views.EditChart.textAlignBottom": "Allinea in basso", "PE.Views.EditChart.textAlignCenter": "Allinea al centro", @@ -445,16 +445,19 @@ "PE.Views.Search.textFindAndReplace": "Trova e sostituisci", "PE.Views.Search.textReplace": "Sostituisci", "PE.Views.Search.textSearch": "Cerca", + "PE.Views.Settings. textComment": "Commento", "PE.Views.Settings.mniSlideStandard": "Standard (4:3)", "PE.Views.Settings.mniSlideWide": "Widescreen (16:9)", "PE.Views.Settings.textAbout": "Informazioni su", "PE.Views.Settings.textAddress": "Indirizzo", + "PE.Views.Settings.textApplication": "Applicazione", "PE.Views.Settings.textApplicationSettings": "Impostazioni Applicazione", "PE.Views.Settings.textAuthor": "Autore", "PE.Views.Settings.textBack": "Indietro", "PE.Views.Settings.textCentimeter": "Centimetro", "PE.Views.Settings.textCollaboration": "Collaborazione", "PE.Views.Settings.textColorSchemes": "Schemi di colore", + "PE.Views.Settings.textCreated": "Creato", "PE.Views.Settings.textCreateDate": "Data di creazione", "PE.Views.Settings.textDone": "Fatto", "PE.Views.Settings.textDownload": "Scarica", @@ -465,7 +468,11 @@ "PE.Views.Settings.textFindAndReplace": "Trova e sostituisci", "PE.Views.Settings.textHelp": "Guida", "PE.Views.Settings.textInch": "Pollice", + "PE.Views.Settings.textLastModified": "Ultima modifica", + "PE.Views.Settings.textLastModifiedBy": "Ultima modifica di", "PE.Views.Settings.textLoading": "Caricamento in corso...", + "PE.Views.Settings.textLocation": "Percorso", + "PE.Views.Settings.textOwner": "Proprietario", "PE.Views.Settings.textPoint": "Punto", "PE.Views.Settings.textPoweredBy": "Con tecnologia", "PE.Views.Settings.textPresentInfo": "Informazioni Presentazione", @@ -476,8 +483,11 @@ "PE.Views.Settings.textSettings": "Impostazioni", "PE.Views.Settings.textSlideSize": "Dimensione diapositiva", "PE.Views.Settings.textSpellcheck": "Controllo ortografia", + "PE.Views.Settings.textSubject": "Oggetto", "PE.Views.Settings.textTel": "Tel.", + "PE.Views.Settings.textTitle": "Titolo presentazione", "PE.Views.Settings.textUnitOfMeasurement": "Unità di misura", + "PE.Views.Settings.textUploaded": "Caricato", "PE.Views.Settings.textVersion": "Versione", "PE.Views.Settings.unknownText": "Sconosciuto", "PE.Views.Toolbar.textBack": "Indietro" diff --git a/apps/presentationeditor/mobile/locale/ko.json b/apps/presentationeditor/mobile/locale/ko.json index 22a67d544..882b7886f 100644 --- a/apps/presentationeditor/mobile/locale/ko.json +++ b/apps/presentationeditor/mobile/locale/ko.json @@ -63,13 +63,12 @@ "PE.Controllers.Main.convertationTimeoutText": "전환 시간 초과를 초과했습니다.", "PE.Controllers.Main.criticalErrorExtText": "문서 목록으로 돌아가려면 '확인'을 누르십시오.", "PE.Controllers.Main.criticalErrorTitle": "오류", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE 프레젠테이션 편집기", "PE.Controllers.Main.downloadErrorText": "다운로드하지 못했습니다.", "PE.Controllers.Main.downloadTextText": "문서 다운로드 중 ...", "PE.Controllers.Main.downloadTitleText": "문서 다운로드 중", "PE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "PE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 더 이상 편집 할 수 없습니다.", - "PE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", + "PE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", "PE.Controllers.Main.errorDatabaseConnection": "외부 오류입니다.
    데이터베이스 연결 오류입니다. 지원팀에 문의하십시오.", "PE.Controllers.Main.errorDataRange": "잘못된 데이터 범위입니다.", "PE.Controllers.Main.errorDefaultMessage": "오류 코드 : % 1", @@ -203,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 cf4efed93..8d27ade85 100644 --- a/apps/presentationeditor/mobile/locale/lv.json +++ b/apps/presentationeditor/mobile/locale/lv.json @@ -63,13 +63,12 @@ "PE.Controllers.Main.convertationTimeoutText": "Konversijas taimauts pārsniegts.", "PE.Controllers.Main.criticalErrorExtText": "Nospiediet \"OK\", lai atgrieztos dokumentu sarakstā.", "PE.Controllers.Main.criticalErrorTitle": "Kļūda", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Lejupielāde neizdevās.", "PE.Controllers.Main.downloadTextText": "Lejupielādē dokumentu...", "PE.Controllers.Main.downloadTitleText": "Dokumenta lejupielāde", "PE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Zudis servera savienojums. Jūs vairs nevarat rediģēt.", - "PE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk par dokumentu servera pieslēgšanu šeit", + "PE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk par dokumentu servera pieslēgšanu šeit", "PE.Controllers.Main.errorDatabaseConnection": "Iekšējā kļūda.
    Datubāzes piekļuves kļūda. Lūdzu, sazinieties ar atbalsta daļu.", "PE.Controllers.Main.errorDataRange": "Nepareizs datu diapazons", "PE.Controllers.Main.errorDefaultMessage": "Kļūdas kods: %1", @@ -203,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 fdc007c59..6ac50d6df 100644 --- a/apps/presentationeditor/mobile/locale/nl.json +++ b/apps/presentationeditor/mobile/locale/nl.json @@ -65,14 +65,13 @@ "PE.Controllers.Main.convertationTimeoutText": "Time-out voor conversie overschreden.", "PE.Controllers.Main.criticalErrorExtText": "Druk op \"OK\" om terug te gaan naar de lijst met documenten.", "PE.Controllers.Main.criticalErrorTitle": "Fout", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Download mislukt.", "PE.Controllers.Main.downloadTextText": "Presentatie wordt gedownload...", "PE.Controllers.Main.downloadTitleText": "Presentatie wordt gedownload", "PE.Controllers.Main.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.
    Neem contact op met de beheerder van de documentserver.", "PE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server verbroken. U kunt niet doorgaan met bewerken.", - "PE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.

    Meer informatie over verbindingen met de documentserver is hier te vinden.", + "PE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.

    Meer informatie over verbindingen met de documentserver is hier te vinden.", "PE.Controllers.Main.errorDatabaseConnection": "Externe fout.
    Fout in databaseverbinding. Neem contact op met Support.", "PE.Controllers.Main.errorDataEncrypted": "Versleutelde wijzigingen zijn ontvangen, deze kunnen niet ontcijferd worden.", "PE.Controllers.Main.errorDataRange": "Onjuist gegevensbereik.", @@ -214,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 85eb30211..768cc623b 100644 --- a/apps/presentationeditor/mobile/locale/pl.json +++ b/apps/presentationeditor/mobile/locale/pl.json @@ -63,13 +63,12 @@ "PE.Controllers.Main.convertationTimeoutText": "Przekroczono limit czasu konwersji.", "PE.Controllers.Main.criticalErrorExtText": "Naciśnij \"OK\" aby powrócić do listy dokumentów.", "PE.Controllers.Main.criticalErrorTitle": "Błąd", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Edytor prezentacji", "PE.Controllers.Main.downloadErrorText": "Pobieranie nieudane.", "PE.Controllers.Main.downloadTextText": "Pobieranie dokumentu...", "PE.Controllers.Main.downloadTitleText": "Pobieranie dokumentu", "PE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie możesz już edytować.", - "PE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", + "PE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", "PE.Controllers.Main.errorDatabaseConnection": "Zewnętrzny błąd.
    Błąd połączenia z bazą danych. Proszę skontaktuj się z administratorem.", "PE.Controllers.Main.errorDataRange": "Błędny zakres danych.", "PE.Controllers.Main.errorDefaultMessage": "Kod błędu: %1", @@ -204,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 2b1e06d26..6af3f87f1 100644 --- a/apps/presentationeditor/mobile/locale/pt.json +++ b/apps/presentationeditor/mobile/locale/pt.json @@ -63,13 +63,12 @@ "PE.Controllers.Main.convertationTimeoutText": "Tempo limite de conversão excedido.", "PE.Controllers.Main.criticalErrorExtText": "Pressione \"OK\" para voltar para a lista de documento.", "PE.Controllers.Main.criticalErrorTitle": "Erro", - "PE.Controllers.Main.defaultTitleText": "Editor de apresentação ONLYOFFICE", "PE.Controllers.Main.downloadErrorText": "Download falhou.", "PE.Controllers.Main.downloadTextText": "Baixando documento...", "PE.Controllers.Main.downloadTitleText": "Baixando documento", "PE.Controllers.Main.errorBadImageUrl": "URL da imagem está incorreta", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão ao servidor perdida. Você não pode mais editar.", - "PE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.
    Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento.

    Encontre mais informações sobre como conecta ao Document Server aqui ", + "PE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.
    Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento.

    Encontre mais informações sobre como conecta ao Document Server aqui", "PE.Controllers.Main.errorDatabaseConnection": "Erro externo.
    Erro de conexão do banco de dados. Entre em contato com o suporte.", "PE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", "PE.Controllers.Main.errorDefaultMessage": "Código do erro: %1", @@ -204,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 0dda1b2d9..b482373e3 100644 --- a/apps/presentationeditor/mobile/locale/ru.json +++ b/apps/presentationeditor/mobile/locale/ru.json @@ -1,8 +1,14 @@ { + "Common.Controllers.Collaboration.textEditUser": "Документ редактируется несколькими пользователями.", "Common.UI.ThemeColorPalette.textStandartColors": "Стандартные цвета", "Common.UI.ThemeColorPalette.textThemeColors": "Цвета темы", "Common.Utils.Metric.txtCm": "см", "Common.Utils.Metric.txtPt": "пт", + "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": "Ссылка", "PE.Controllers.AddContainer.textShape": "Фигура", @@ -23,7 +29,6 @@ "PE.Controllers.AddTable.textColumns": "Столбцы", "PE.Controllers.AddTable.textRows": "Строки", "PE.Controllers.AddTable.textTableSize": "Размер таблицы", - "Common.Controllers.Collaboration.textEditUser": "Документ редактируется несколькими пользователями.", "PE.Controllers.DocumentHolder.menuAddLink": "Добавить ссылку", "PE.Controllers.DocumentHolder.menuCopy": "Копировать", "PE.Controllers.DocumentHolder.menuCut": "Вырезать", @@ -66,7 +71,6 @@ "PE.Controllers.Main.convertationTimeoutText": "Превышено время ожидания конвертации.", "PE.Controllers.Main.criticalErrorExtText": "Нажмите 'OK' для возврата к списку документов.", "PE.Controllers.Main.criticalErrorTitle": "Ошибка", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Загрузка не удалась.", "PE.Controllers.Main.downloadTextText": "Загрузка презентации...", "PE.Controllers.Main.downloadTitleText": "Загрузка презентации", @@ -216,7 +220,7 @@ "PE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", "PE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.
    Обновите лицензию, а затем обновите страницу.", "PE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", - "PE.Controllers.Main.warnNoLicense": "Эта версия редакторов ONLYOFFICE имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", + "PE.Controllers.Main.warnNoLicense": "Эта версия редакторов %1 имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "PE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "PE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", "PE.Controllers.Search.textNoTextFound": "Текст не найден", @@ -248,10 +252,6 @@ "PE.Views.AddLink.textNumber": "Номер слайда", "PE.Views.AddLink.textPrev": "Предыдущий слайд", "PE.Views.AddLink.textTip": "Подсказка", - "Common.Views.Collaboration.textBack": "Назад", - "Common.Views.Collaboration.textCollaboration": "Совместная работа", - "Common.Views.Collaboration.textEditUsers": "Пользователи", - "Common.Views.Collaboration.textСomments": "Комментарии", "PE.Views.EditChart.textAlign": "Выравнивание", "PE.Views.EditChart.textAlignBottom": "По нижнему краю", "PE.Views.EditChart.textAlignCenter": "По центру", @@ -445,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": "Скачать", @@ -465,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": "Информация о презентации", @@ -476,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 427367c2f..18bcdc6ff 100644 --- a/apps/presentationeditor/mobile/locale/sk.json +++ b/apps/presentationeditor/mobile/locale/sk.json @@ -64,13 +64,12 @@ "PE.Controllers.Main.convertationTimeoutText": "Prekročený čas konverzie.", "PE.Controllers.Main.criticalErrorExtText": "Stlačením tlačidla 'OK' sa vrátite do zoznamu dokumentov.", "PE.Controllers.Main.criticalErrorTitle": "Chyba", - "PE.Controllers.Main.defaultTitleText": "Editor ONLYOFFICE Prezentácia", "PE.Controllers.Main.downloadErrorText": "Sťahovanie zlyhalo.", "PE.Controllers.Main.downloadTextText": "Sťahovanie dokumentu...", "PE.Controllers.Main.downloadTitleText": "Sťahovanie dokumentu", "PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Spojenie so serverom sa stratilo. Už nemôžete upravovať.", - "PE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Skontrolujte nastavenia pripojenia alebo sa obráťte na správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na stiahnutie dokumentu.

    Viac informácií o pripojení dokumentového servera tu", + "PE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", "PE.Controllers.Main.errorDatabaseConnection": "Externá chyba.
    Chyba spojenia databázy. Obráťte sa prosím na podporu.", "PE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", "PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", @@ -204,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 1a0900142..dc9429e1e 100644 --- a/apps/presentationeditor/mobile/locale/tr.json +++ b/apps/presentationeditor/mobile/locale/tr.json @@ -3,6 +3,7 @@ "Common.UI.ThemeColorPalette.textThemeColors": "Tema Renkleri", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Geri", "PE.Controllers.AddContainer.textImage": "Resim", "PE.Controllers.AddContainer.textLink": "Link", "PE.Controllers.AddContainer.textShape": "Şekil", @@ -63,13 +64,12 @@ "PE.Controllers.Main.convertationTimeoutText": "Değişim süresi geçti.", "PE.Controllers.Main.criticalErrorExtText": "Belge listesine dönmek için 'TAMAM' tuşuna tıklayın.", "PE.Controllers.Main.criticalErrorTitle": "Hata", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Sunum Editörü", "PE.Controllers.Main.downloadErrorText": "İndirme başarısız oldu.", "PE.Controllers.Main.downloadTextText": "Belge indiriliyor...", "PE.Controllers.Main.downloadTitleText": "Belge indiriliyor", "PE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kayboldu. Artık düzenleyemezsiniz.", - "PE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.

    Belge Sunucusuna bağlanma konusunda daha fazla bilgi için buraya tıklayın", + "PE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.

    Belge Sunucusuna bağlanma konusunda daha fazla bilgi için buraya tıklayın", "PE.Controllers.Main.errorDatabaseConnection": "Dışsal hata.
    Veritabanı bağlantı hatası. Lütfen destek ile iletişime geçin.", "PE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", "PE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1", @@ -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ı", @@ -233,7 +233,6 @@ "PE.Views.AddLink.textNumber": "Slayt Numarası", "PE.Views.AddLink.textPrev": "Önceki slayt", "PE.Views.AddLink.textTip": "Ekran İpucu", - "Common.Views.Collaboration.textBack": "Geri", "PE.Views.EditChart.textAlign": "Hizala", "PE.Views.EditChart.textAlignBottom": "Alta Hizala", "PE.Views.EditChart.textAlignCenter": "Ortaya Hizala", diff --git a/apps/presentationeditor/mobile/locale/uk.json b/apps/presentationeditor/mobile/locale/uk.json index 09c077405..e06d22e46 100644 --- a/apps/presentationeditor/mobile/locale/uk.json +++ b/apps/presentationeditor/mobile/locale/uk.json @@ -63,13 +63,12 @@ "PE.Controllers.Main.convertationTimeoutText": "Термін переходу перевищено.", "PE.Controllers.Main.criticalErrorExtText": "Натисніть \"ОК\", щоб повернутися до списку документів.", "PE.Controllers.Main.criticalErrorTitle": "Помилка", - "PE.Controllers.Main.defaultTitleText": "Редактор презентацій ONLYOFFICE", "PE.Controllers.Main.downloadErrorText": "Завантаження не вдалося", "PE.Controllers.Main.downloadTextText": "Завантаження документу...", "PE.Controllers.Main.downloadTitleText": "Завантаження документу", "PE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "PE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Ви більше не можете редагувати.", - "PE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів тут ", + "PE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів
    тут", "PE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка.
    Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки.", "PE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "PE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", @@ -203,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 fdee8e0a7..fba0b2a2f 100644 --- a/apps/presentationeditor/mobile/locale/vi.json +++ b/apps/presentationeditor/mobile/locale/vi.json @@ -63,13 +63,12 @@ "PE.Controllers.Main.convertationTimeoutText": "Đã quá thời gian chờ chuyển đổi.", "PE.Controllers.Main.criticalErrorExtText": "Ấn 'OK' để trở lại danh sách tài liệu.", "PE.Controllers.Main.criticalErrorTitle": "Lỗi", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Tải về không thành công.", "PE.Controllers.Main.downloadTextText": "Đang tải tài liệu...", "PE.Controllers.Main.downloadTitleText": "Đang tải tài liệu...", "PE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Kết nối máy chủ bị mất. Bạn không thể chỉnh sửa nữa.", - "PE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", + "PE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", "PE.Controllers.Main.errorDatabaseConnection": "Lỗi bên ngoài.
    Lỗi kết nối cơ sở dữ liệu. Vui lòng liên hệ bộ phận hỗ trợ.", "PE.Controllers.Main.errorDataRange": "Phạm vi dữ liệu không chính xác.", "PE.Controllers.Main.errorDefaultMessage": "Mã lỗi: %1", @@ -203,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 2ef619631..80ee545ce 100644 --- a/apps/presentationeditor/mobile/locale/zh.json +++ b/apps/presentationeditor/mobile/locale/zh.json @@ -65,14 +65,13 @@ "PE.Controllers.Main.convertationTimeoutText": "转换超时", "PE.Controllers.Main.criticalErrorExtText": "按“确定”返回文件列表", "PE.Controllers.Main.criticalErrorTitle": "错误:", - "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE演示编辑器", "PE.Controllers.Main.downloadErrorText": "下载失败", "PE.Controllers.Main.downloadTextText": "正在下载演示文稿...", "PE.Controllers.Main.downloadTitleText": "演示文稿下载中", "PE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
    请联系您的文档服务器管理员.", "PE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "PE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。您无法再进行编辑。", - "PE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器在这里", + "PE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器
    在这里", "PE.Controllers.Main.errorDatabaseConnection": "外部错误。
    数据库连接错误。请联系客服支持。", "PE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", "PE.Controllers.Main.errorDataRange": "数据范围不正确", @@ -216,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/DataTab.js b/apps/spreadsheeteditor/main/app/controller/DataTab.js index d1875df19..ba3d9c8de 100644 --- a/apps/spreadsheeteditor/main/app/controller/DataTab.js +++ b/apps/spreadsheeteditor/main/app/controller/DataTab.js @@ -63,7 +63,8 @@ define([ 'data:ungroup': this.onUngroup, 'data:tocolumns': this.onTextToColumn, 'data:show': this.onShowClick, - 'data:hide': this.onHideClick + 'data:hide': this.onHideClick, + 'data:groupsettings': this.onGroupSettings } }); @@ -140,23 +141,40 @@ define([ Common.NotificationCenter.trigger('edit:complete', me.toolbar); }, - onGroup: function(btn) { - var me = this, - val = me.api.asc_checkAddGroup(); - if (val===null) { - (new SSE.Views.GroupDialog({ - title: me.view.capBtnGroup, - props: 'rows', - handler: function (dlg, result) { - if (result=='ok') { - me.api.asc_group(dlg.getSettings()); + onGroup: function(type, checked) { + if (type=='rows') { + (this.api.asc_checkAddGroup()!==undefined) && this.api.asc_group(true) + } else if (type=='columns') { + (this.api.asc_checkAddGroup()!==undefined) && this.api.asc_group(false) + } else if (type=='below') { + this.api.asc_setGroupSummary(checked, false); + } else if (type=='right') { + this.api.asc_setGroupSummary(checked, true); + } else { + var me = this, + val = me.api.asc_checkAddGroup(); + if (val===null) { + (new SSE.Views.GroupDialog({ + title: me.view.capBtnGroup, + props: 'rows', + handler: function (dlg, result) { + if (result=='ok') { + me.api.asc_group(dlg.getSettings()); + } + Common.NotificationCenter.trigger('edit:complete', me.toolbar); } - Common.NotificationCenter.trigger('edit:complete', me.toolbar); - } - })).show(); - } else if (val!==undefined) //undefined - error, true - rows, false - columns - me.api.asc_group(val); - Common.NotificationCenter.trigger('edit:complete', me.toolbar); + })).show(); + } else if (val!==undefined) //undefined - error, true - rows, false - columns + me.api.asc_group(val); + } + Common.NotificationCenter.trigger('edit:complete', this.toolbar); + }, + + onGroupSettings: function(menu) { + var value = this.api.asc_getGroupSummaryBelow(); + menu.items[3].setChecked(!!value, true); + value = this.api.asc_getGroupSummaryRight(); + menu.items[4].setChecked(!!value, true); }, onTextToColumn: function() { diff --git a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js index f8ddaa468..bcb7a5225 100644 --- a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js +++ b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js @@ -40,6 +40,24 @@ * */ +var c_paragraphLinerule = { + LINERULE_AUTO: 1, + LINERULE_EXACT: 2 +}; + +var c_paragraphTextAlignment = { + RIGHT: 0, + LEFT: 1, + CENTERED: 2, + JUSTIFIED: 3 +}; + +var c_paragraphSpecial = { + NONE_SPECIAL: 0, + FIRST_LINE: 1, + HANGING: 2 +}; + define([ 'core', 'common/main/lib/util/utils', diff --git a/apps/spreadsheeteditor/main/app/controller/FormulaDialog.js b/apps/spreadsheeteditor/main/app/controller/FormulaDialog.js index 42994f29f..5093269b1 100644 --- a/apps/spreadsheeteditor/main/app/controller/FormulaDialog.js +++ b/apps/spreadsheeteditor/main/app/controller/FormulaDialog.js @@ -83,7 +83,8 @@ define([ 'function:apply': this.applyFunction }, 'Toolbar': { - 'function:apply': this.applyFunction + 'function:apply': this.applyFunction, + 'tab:active': this.onTabActive } }); }, @@ -114,7 +115,7 @@ define([ if (this.formulasGroups && this.api) { Common.Utils.InternalSettings.set("sse-settings-func-last", Common.localStorage.getItem("sse-settings-func-last")); - this.reloadTranslations(Common.localStorage.getItem("sse-settings-func-locale") || this.appOptions.lang ); + this.reloadTranslations(Common.localStorage.getItem("sse-settings-func-locale") || this.appOptions.lang, true); var me = this; @@ -155,7 +156,7 @@ define([ this.appOptions.lang = data.config.lang; }, - reloadTranslations: function (lang) { + reloadTranslations: function (lang, suppressEvent) { var me = this; lang = (lang || 'en').split(/[\-_]/)[0].toLowerCase(); @@ -178,18 +179,18 @@ define([ } if (me.langDescJson[lang]) - me.loadingFormulas(me.langDescJson[lang]); + me.loadingFormulas(me.langDescJson[lang], suppressEvent); else { Common.Utils.loadConfig('resources/formula-lang/' + lang + '_desc.json', function (config) { if ( config != 'error' ) { me.langDescJson[lang] = config; - me.loadingFormulas(config); + me.loadingFormulas(config, suppressEvent); } else { Common.Utils.loadConfig('resources/formula-lang/en_desc.json', function (config) { me.langDescJson[lang] = (config != 'error') ? config : null; - me.loadingFormulas(me.langDescJson[lang]); + me.loadingFormulas(me.langDescJson[lang], suppressEvent); }); } }); @@ -258,7 +259,7 @@ define([ return functions; }, - loadingFormulas: function (descrarr) { + loadingFormulas: function (descrarr, suppressEvent) { var i = 0, j = 0, ascGroupName, ascFunctions, @@ -334,7 +335,7 @@ define([ allFunctions.push(func); } - formulaGroup.set('functions', functions); + formulaGroup.set('functions', _.sortBy(functions, function (model) {return model.get('name'); })); store.push(formulaGroup); } @@ -342,8 +343,16 @@ define([ _.sortBy(allFunctions, function (model) {return model.get('name'); })); } } - this.formulaTab && this.formulaTab.fillFunctions(); + (!suppressEvent || this._formulasInited) && this.formulaTab && this.formulaTab.fillFunctions(); }, + + onTabActive: function (tab) { + if ( tab == 'formula' && !this._formulasInited && this.formulaTab) { + this.formulaTab.fillFunctions(); + this._formulasInited = true; + } + }, + sCategoryAll: 'All', sCategoryLast10: '10 last used', sCategoryLogical: 'Logical', diff --git a/apps/spreadsheeteditor/main/app/controller/Main.js b/apps/spreadsheeteditor/main/app/controller/Main.js index 941fc455e..f382175bc 100644 --- a/apps/spreadsheeteditor/main/app/controller/Main.js +++ b/apps/spreadsheeteditor/main/app/controller/Main.js @@ -134,8 +134,14 @@ define([ 'Table': this.txtTable, 'Print_Area': this.txtPrintArea, 'Confidential': this.txtConfidential, - 'Prepared by': this.txtPreparedBy, - 'Page': this.txtPage + 'Prepared by ': this.txtPreparedBy + ' ', + 'Page': this.txtPage, + 'Page %1 of %2': this.txtPageOf, + 'Pages': this.txtPages, + 'Date': this.txtDate, + 'Time': this.txtTime, + 'Tab': this.txtTab, + 'File': this.txtFile }; styleNames.forEach(function(item){ translate[item] = me.translationTable[item] = me['txtStyle_' + item.replace(/ /g, '_')] || item; @@ -312,6 +318,7 @@ define([ this.appOptions.createUrl = this.editorConfig.createUrl; this.appOptions.lang = this.editorConfig.lang; this.appOptions.location = (typeof (this.editorConfig.location) == 'string') ? this.editorConfig.location.toLowerCase() : ''; + this.appOptions.region = (typeof (this.editorConfig.region) == 'string') ? this.editorConfig.region.toLowerCase() : this.editorConfig.region; this.appOptions.canAutosave = false; this.appOptions.canAnalytics = false; this.appOptions.sharingSettingsUrl = this.editorConfig.sharingSettingsUrl; @@ -337,7 +344,13 @@ define([ if (value!==null) this.api.asc_setLocale(parseInt(value)); else { - this.api.asc_setLocale((this.editorConfig.lang) ? parseInt(Common.util.LanguageInfo.getLocalLanguageCode(this.editorConfig.lang)) : 0x0409); + value = this.appOptions.region; + value = Common.util.LanguageInfo.getLanguages().hasOwnProperty(value) ? value : Common.util.LanguageInfo.getLocalLanguageCode(value); + if (value!==null) + value = parseInt(value); + else + value = (this.editorConfig.lang) ? parseInt(Common.util.LanguageInfo.getLocalLanguageCode(this.editorConfig.lang)) : 0x0409; + this.api.asc_setLocale(value); } value = Common.localStorage.getBool("sse-settings-r1c1"); @@ -1832,7 +1845,10 @@ define([ Common.Utils.ThemeColor.setColors(colors, standart_colors); if (window.styles_loaded && !this.appOptions.isEditMailMerge && !this.appOptions.isEditDiagram) { this.updateThemeColors(); - this.fillTextArt(this.api.asc_getTextArtPreviews()); + var me = this; + setTimeout(function(){ + me.fillTextArt(me.api.asc_getTextArtPreviews()); + }, 1); } }, @@ -2410,7 +2426,13 @@ define([ errorDataValidate: 'The value you entered is not valid.
    A user has restricted values that can be entered into this cell.', txtConfidential: 'Confidential', txtPreparedBy: 'Prepared by', - txtPage: 'Page' + txtPage: 'Page', + txtPageOf: 'Page %1 of %2', + txtPages: 'Pages', + txtDate: 'Date', + txtTime: 'Time', + txtTab: 'Tab', + txtFile: 'File' } })(), SSE.Controllers.Main || {})) }); 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 731856662..3ca475bb1 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); }, @@ -3184,7 +3193,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(); @@ -3219,7 +3228,6 @@ define([ if (this.api && state) { this._state.pgsize = [0, 0]; this.api.asc_changeDocSize(item.value[0], item.value[1], this.api.asc_getActiveWorksheetIndex()); - Common.NotificationCenter.trigger('page:settings'); Common.component.Analytics.trackEvent('ToolBar', 'Page Size'); } @@ -3231,7 +3239,6 @@ define([ this._state.pgmargins = undefined; if (item.value !== 'advanced') { this.api.asc_changePageMargins(item.value[1], item.value[3], item.value[0], item.value[2], this.api.asc_getActiveWorksheetIndex()); - Common.NotificationCenter.trigger('page:settings'); } else { var win, props, me = this; @@ -3250,7 +3257,6 @@ define([ Common.localStorage.setItem("sse-pgmargins-right", props.asc_getRight()); me.api.asc_changePageMargins( props.asc_getLeft(), props.asc_getRight(), props.asc_getTop(), props.asc_getBottom(), me.api.asc_getActiveWorksheetIndex()); - Common.NotificationCenter.trigger('page:settings'); Common.NotificationCenter.trigger('edit:complete', me.toolbar); } } @@ -3269,7 +3275,6 @@ define([ this._state.pgorient = undefined; if (this.api && item.checked) { this.api.asc_changePageOrient(item.value==Asc.c_oAscPageOrientation.PagePortrait, this.api.asc_getActiveWorksheetIndex()); - Common.NotificationCenter.trigger('page:settings'); } Common.NotificationCenter.trigger('edit:complete', this.toolbar); diff --git a/apps/spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced.template b/apps/spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced.template index 961b81080..ccba9ab31 100644 --- a/apps/spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced.template +++ b/apps/spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced.template @@ -1,98 +1,114 @@
    - - - - - - -
    - -
    -
    - -
    -
    - -
    -
    +
    +
    + +
    +
    +
    +
    +
    +
    + +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    -
    - - - - - - - - - - - - - - - - - - - - - - - - - -
    - -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    -
    - -
    -
    -
    -
    -
    -
    -
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    -
    - -
    -
    -
    +
    -
    -
    -
    -
    -
    - -
    -
    -
    +
    - - - +
    + +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js b/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js index 7bc92c5f1..5c99f5f19 100644 --- a/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js +++ b/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js @@ -475,28 +475,35 @@ define([ SSE.Views.AutoFilterDialog = Common.UI.Window.extend(_.extend({ initialize: function (options) { - var t = this, _options = {}; + var t = this, _options = {}, width = undefined, height = undefined; + if (Common.Utils.InternalSettings.get('sse-settings-size-filter-window')) { + width = Common.Utils.InternalSettings.get('sse-settings-size-filter-window')[0]; + height = Common.Utils.InternalSettings.get('sse-settings-size-filter-window')[1]; + } _.extend(_options, { - width : 450, - height : 265, - contentWidth : 400, + width : width || 450, + height : height || 265, + contentWidth : (width - 50) || 400, header : false, cls : 'filter-dlg', contentTemplate : '', title : t.txtTitle, modal : false, animate : false, - items : [] + items : [], + resizable : true, + minwidth : 450, + minheight : 265 }, options); this.template = options.template || [ - '
    ', - '
    ', - '
    ', + '
    ', + '
    ', + '
    ', '', - '
    ', - '
    ', + '
    ', + '
    ', '
    ', '
    ', '', '
    ', - '
    ', - '' @@ -515,10 +521,14 @@ define([ this.handler = options.handler; this.throughIndexes = []; this.filteredIndexes = []; + this.curSize = null; _options.tpl = _.template(this.template)(_options); Common.UI.Window.prototype.initialize.call(this, _options); + + this.on('resizing', _.bind(this.onWindowResizing, this)); + this.on('resize', _.bind(this.onWindowResize, this)); }, render: function () { @@ -526,6 +536,13 @@ define([ Common.UI.Window.prototype.render.call(this); + var $border = this.$window.find('.resize-border'); + this.$window.find('.resize-border.left, .resize-border.top').css({'cursor': 'default'}); + $border.css({'background': 'none', 'border': 'none'}); + $border.removeClass('left'); + $border.removeClass('top'); + + this.$window.find('.btn').on('click', _.bind(this.onBtnClick, this)); this.btnOk = new Common.UI.Button({ @@ -798,6 +815,11 @@ define([ _.delay(function () { $(document.body).on('mousedown', checkDocumentClick); }, 100, this); + + if(Common.Utils.InternalSettings.get('sse-settings-size-filter-window')) { + this.$window.find('.combo-values').css({'height': Common.Utils.InternalSettings.get('sse-settings-size-filter-window')[1] - 103 + 'px'}); + this.cellsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + } }, show: function (x, y) { @@ -1359,6 +1381,31 @@ define([ return false; }, + onWindowResize: function (args) { + if (args && args[1]=='start') + this.curSize = {resize: false, height: this.getSize()[1]}; + else if (this.curSize.resize) { + var size = this.getSize(); + this.$window.find('.combo-values').css({'height': size[1] - 100 + 'px'}); + this.cellsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + } + }, + + onWindowResizing: function () { + if (!this.curSize) return; + + var size = this.getSize(); + if (size[1] !== this.curSize.height) { + if (!this.curSize.resize) { + this.curSize.resize = true; + this.cellsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: false, suppressScrollX: true}); + } + this.$window.find('.combo-values').css({'height': size[1] - 100 + 'px'}); + this.curSize.height = size[1]; + } + Common.Utils.InternalSettings.set('sse-settings-size-filter-window', size); + }, + okButtonText : 'Ok', btnCustomFilter : 'Custom Filter', textSelectAll : 'Select All', diff --git a/apps/spreadsheeteditor/main/app/view/DataTab.js b/apps/spreadsheeteditor/main/app/view/DataTab.js index a44b30e1a..1c4fce192 100644 --- a/apps/spreadsheeteditor/main/app/view/DataTab.js +++ b/apps/spreadsheeteditor/main/app/view/DataTab.js @@ -54,9 +54,15 @@ define([ me.btnUngroup.on('click', function (b, e) { me.fireEvent('data:ungroup'); }); + me.btnGroup.menu.on('item:click', function (menu, item, e) { + me.fireEvent('data:group', [item.value, item.checked]); + }); me.btnGroup.on('click', function (b, e) { me.fireEvent('data:group'); }); + me.btnGroup.menu.on('show:before', function (menu, e) { + me.fireEvent('data:groupsettings', [menu]); + }); me.btnTextToColumns.on('click', function (b, e) { me.fireEvent('data:tocolumns'); }); @@ -105,7 +111,8 @@ define([ cls: 'btn-toolbar x-huge icon-top', iconCls: 'btn-cell-group', caption: this.capBtnGroup, - split: false, + split: true, + menu: true, disabled: true, lock: [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.sheetLock, _set.lostConnect, _set.coAuth] }); @@ -193,6 +200,17 @@ define([ me.btnUngroup.setMenu(_menu); me.btnGroup.updateHint(me.tipGroup); + _menu = new Common.UI.Menu({ + items: [ + {caption: me.textGroupRows, value: 'rows'}, + {caption: me.textGroupColumns, value: 'columns'}, + {caption: '--'}, + {caption: me.textBelow, value: 'below', checkable: true}, + {caption: me.textRightOf, value: 'right', checkable: true} + ] + }); + me.btnGroup.setMenu(_menu); + me.btnTextToColumns.updateHint(me.tipToColumns); me.btnsSortDown.forEach( function(btn) { @@ -243,13 +261,17 @@ define([ capBtnUngroup: 'Ungroup', textRows: 'Ungroup rows', textColumns: 'Ungroup columns', + textGroupRows: 'Group rows', + textGroupColumns: 'Group columns', textClear: 'Clear outline', tipGroup: 'Group range of cells', tipUngroup: 'Ungroup range of cells', capBtnTextToCol: 'Text to Columns', tipToColumns: 'Separate cell text into columns', capBtnTextShow: 'Show details', - capBtnTextHide: 'Hide details' + capBtnTextHide: 'Hide details', + textBelow: 'Summary rows below detail', + textRightOf: 'Summary columns to right of detail' } }()), SSE.Views.DataTab || {})); }); 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/FileMenuPanels.js b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js index 12ceef6eb..69f1b40bc 100644 --- a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js +++ b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js @@ -1061,14 +1061,14 @@ define([ '', '', '', - '', - '', - '
    ', - '', '', '', '
    ', '', + '', + '', + '
    ', + '', '', '', '
    ', diff --git a/apps/spreadsheeteditor/main/app/view/FormulaTab.js b/apps/spreadsheeteditor/main/app/view/FormulaTab.js index 80a8720b7..21e3523f7 100644 --- a/apps/spreadsheeteditor/main/app/view/FormulaTab.js +++ b/apps/spreadsheeteditor/main/app/view/FormulaTab.js @@ -247,6 +247,40 @@ define([ }, this); }, + focusInner: function(menu, e) { + if (e.keyCode == Common.UI.Keys.UP) + menu.items[menu.items.length-1].cmpEl.find('> a').focus(); + else + menu.items[0].cmpEl.find('> a').focus(); + }, + + focusOuter: function(menu, e) { + menu.items[2].cmpEl.find('> a').focus(); + }, + + onBeforeKeyDown: function(menu, e) { + if (e.keyCode == Common.UI.Keys.RETURN) { + e.preventDefault(); + e.stopPropagation(); + var li = $(e.target).closest('li'); + (li.length>0) && li.click(); + Common.UI.Menu.Manager.hideAll(); + } else if (e.namespace!=="after.bs.dropdown" && (e.keyCode == Common.UI.Keys.DOWN || e.keyCode == Common.UI.Keys.UP)) { + var $items = $('> [role=menu] > li:not(.divider):not(.disabled):visible', menu.$el).find('> a'); + if (!$items.length) return; + var index = $items.index($items.filter(':focus')), + me = this; + if (menu._outerMenu && (e.keyCode == Common.UI.Keys.UP && index==0 || e.keyCode == Common.UI.Keys.DOWN && index==$items.length - 1) || + menu._innerMenu && (e.keyCode == Common.UI.Keys.UP || e.keyCode == Common.UI.Keys.DOWN) && index!==-1) { + e.preventDefault(); + e.stopPropagation(); + _.delay(function() { + menu._outerMenu ? me.focusOuter(menu._outerMenu, e) : me.focusInner(menu._innerMenu, e); + }, 10); + } + } + }, + setButtonMenu: function(btn, name) { var me = this, arr = [], @@ -262,32 +296,124 @@ define([ }); } if (arr.length) { - arr.push(new Common.UI.MenuItem({ - caption: '--' - })); - arr.push(new Common.UI.MenuItem({ - caption: me.txtAdditional, - value: 'more' - })); - if (btn.menu && btn.menu.rendered) { - btn.menu.removeAll(); - arr.forEach(function(item){ - btn.menu.addItem(item); - }); + var menu = btn.menu._innerMenu; + if (menu) { + menu.removeAll(); + arr.forEach(function(item){ + menu.addItem(item); + }); + } } else { btn.setMenu(new Common.UI.Menu({ - restoreHeight: 415, - items: arr + items: [ + {template: _.template('
    ')}, + { caption: '--' }, + { + caption: me.txtAdditional, + value: 'more' + } + ] })); - btn.menu.on('item:click', function (menu, item, e) { + btn.menu.items[2].on('click', function (item, e) { me.fireEvent('function:apply', [{name: item.caption, origin: item.value}, false, name]); }); + btn.menu.on('show:after', function (menu, e) { + var internalMenu = menu._innerMenu; + internalMenu.scroller.update({alwaysVisibleY: true}); + _.delay(function() { + menu._innerMenu && menu._innerMenu.cmpEl.focus(); + }, 10); + }).on('keydown:before', _.bind(me.onBeforeKeyDown, this)); + + var menu = new Common.UI.Menu({ + maxHeight: 300, + cls: 'internal-menu', + items: arr + }); + menu.render(btn.menu.items[0].cmpEl.children(':first')); + menu.cmpEl.css({ + display : 'block', + position : 'relative', + left : 0, + top : 0 + }); + menu.cmpEl.attr({tabindex: "-1"}); + menu.on('item:click', function (menu, item, e) { + me.fireEvent('function:apply', [{name: item.caption, origin: item.value}, false, name]); + }).on('keydown:before', _.bind(me.onBeforeKeyDown, this)); + btn.menu._innerMenu = menu; + menu._outerMenu = btn.menu; } } btn.setDisabled(arr.length<1); }, + setMenuItemMenu: function(name) { + var me = this, + arr = [], + formulaDialog = SSE.getController('FormulaDialog'), + group = me.formulasGroups.findWhere({name : name}); + + if (group) { + var functions = group.get('functions'); + functions && functions.forEach(function(item) { + arr.push(new Common.UI.MenuItem({ + caption: item.get('name'), + value: item.get('origin') + })); + }); + if (arr.length) { + var mnu = new Common.UI.MenuItem({ + caption : formulaDialog['sCategory' + name] || name, + menu: new Common.UI.Menu({ + menuAlign: 'tl-tr', + items: [ + {template: _.template('
    ')}, + { caption: '--' }, + { + caption: me.txtAdditional, + value: 'more' + } + ] + }) + }); + mnu.menu.items[2].on('click', function (item, e) { + me.fireEvent('function:apply', [{name: item.caption, origin: item.value}, false, name]); + }); + mnu.menu.on('show:after', function (menu, e) { + var internalMenu = menu._innerMenu; + internalMenu.scroller.update({alwaysVisibleY: true}); + _.delay(function() { + menu._innerMenu && menu._innerMenu.items[0].cmpEl.find('> a').focus(); + }, 10); + }).on('keydown:before', _.bind(me.onBeforeKeyDown, this)) + .on('keydown:before', function(menu, e) { + if (e.keyCode == Common.UI.Keys.LEFT || e.keyCode == Common.UI.Keys.ESC) { + var $parent = menu.cmpEl.parent(); + if ($parent.hasClass('dropdown-submenu') && $parent.hasClass('over')) { // close submenu + $parent.removeClass('over'); + $parent.find('> a').focus(); + } + } + }); + + // internal menu + var menu = new Common.UI.Menu({ + maxHeight: 300, + cls: 'internal-menu', + items: arr + }); + menu.on('item:click', function (menu, item, e) { + me.fireEvent('function:apply', [{name: item.caption, origin: item.value}, false, name]); + }).on('keydown:before', _.bind(me.onBeforeKeyDown, this)); + mnu.menu._innerMenu = menu; + menu._outerMenu = mnu.menu; + return mnu; + } + } + }, + fillFunctions: function () { if (this.formulasGroups) { this.setButtonMenu(this.btnFinancial, 'Financial'); @@ -305,41 +431,11 @@ define([ // more button var me = this, - morearr = [], - formulaDialog = SSE.getController('FormulaDialog'); + morearr = []; ['Cube', 'Database', 'Engineering', 'Information', 'Statistical'].forEach(function(name) { - var group = me.formulasGroups.findWhere({name : name}); - if (group) { - var functions = group.get('functions'), - arr = []; - functions && functions.forEach(function(item) { - arr.push(new Common.UI.MenuItem({ - caption: item.get('name'), - value: item.get('origin') - })); - }); - if (arr.length) { - arr.push(new Common.UI.MenuItem({ - caption: '--' - })); - arr.push(new Common.UI.MenuItem({ - caption: me.txtAdditional, - value: 'more' - })); - var mnu = new Common.UI.MenuItem({ - caption : formulaDialog['sCategory' + name] || name, - menu : new Common.UI.Menu({ - restoreHeight: 415, - menuAlign: 'tl-tr', - items: arr - }) - }); - mnu.menu.on('item:click', function (menu, item, e) { - me.fireEvent('function:apply', [{name: item.caption, origin: item.value}, false, name]); - }); - morearr.push(mnu); - } - } + var mnu = me.setMenuItemMenu(name); + mnu && morearr.push(mnu); + }); var btn = this.btnMore; if (morearr.length) { @@ -350,10 +446,21 @@ define([ }); } else { btn.setMenu(new Common.UI.Menu({ - restoreHeight: 415, items: morearr })); } + btn.menu.items.forEach(function(mnu){ + var menuContainer = mnu.menu.items[0].cmpEl.children(':first'), + menu = mnu.menu._innerMenu; + menu.render(menuContainer); + menu.cmpEl.css({ + display : 'block', + position : 'relative', + left : 0, + top : 0 + }); + menu.cmpEl.attr({tabindex: "-1"}); + }); } btn.setDisabled(morearr.length<1); } diff --git a/apps/spreadsheeteditor/main/app/view/ParagraphSettingsAdvanced.js b/apps/spreadsheeteditor/main/app/view/ParagraphSettingsAdvanced.js index 1007f9a0f..a92439417 100644 --- a/apps/spreadsheeteditor/main/app/view/ParagraphSettingsAdvanced.js +++ b/apps/spreadsheeteditor/main/app/view/ParagraphSettingsAdvanced.js @@ -49,13 +49,14 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. SSE.Views.ParagraphSettingsAdvanced = Common.Views.AdvancedSettingsWindow.extend(_.extend({ options: { - contentWidth: 320, + contentWidth: 370, height: 394, toggleGroup: 'paragraph-adv-settings-group', storageName: 'sse-para-settings-adv-category' }, initialize : function(options) { + var me = this; _.extend(this.options, { title: this.textTitle, items: [ @@ -74,9 +75,43 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. this._noApply = true; this._tabListChanged = false; this.spinners = []; + this.FirstLine = undefined; + this.Spacing = null; this.api = this.options.api; this._originalProps = new Asc.asc_CParagraphProperty(this.options.paragraphProps); + + this._arrLineRule = [ + {displayValue: this.textAuto, defaultValue: 1, value: c_paragraphLinerule.LINERULE_AUTO, minValue: 0.5, step: 0.01, defaultUnit: ''}, + {displayValue: this.textExact, defaultValue: 5, value: c_paragraphLinerule.LINERULE_EXACT, minValue: 0.03, step: 0.01, defaultUnit: 'cm'} + ]; + + var curLineRule = this._originalProps.asc_getSpacing().asc_getLineRule(), + curItem = _.findWhere(this._arrLineRule, {value: curLineRule}); + this.CurLineRuleIdx = this._arrLineRule.indexOf(curItem); + + this._arrTextAlignment = [ + {displayValue: this.textTabLeft, value: c_paragraphTextAlignment.LEFT}, + {displayValue: this.textTabCenter, value: c_paragraphTextAlignment.CENTERED}, + {displayValue: this.textTabRight, value: c_paragraphTextAlignment.RIGHT}, + {displayValue: this.textJustified, value: c_paragraphTextAlignment.JUSTIFIED} + ]; + + this._arrSpecial = [ + {displayValue: this.textNoneSpecial, value: c_paragraphSpecial.NONE_SPECIAL, defaultValue: 0}, + {displayValue: this.textFirstLine, value: c_paragraphSpecial.FIRST_LINE, defaultValue: 12.7}, + {displayValue: this.textHanging, value: c_paragraphSpecial.HANGING, defaultValue: 12.7} + ]; + + this._arrTabAlign = [ + { value: 1, displayValue: this.textTabLeft }, + { value: 3, displayValue: this.textTabCenter }, + { value: 2, displayValue: this.textTabRight } + ]; + this._arrKeyTabAlign = []; + this._arrTabAlign.forEach(function(item) { + me._arrKeyTabAlign[item.value] = item.displayValue; + }); }, render: function() { @@ -86,24 +121,15 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. // Indents & Placement - this.numFirstLine = new Common.UI.MetricSpinner({ - el: $('#paragraphadv-spin-first-line'), - step: .1, - width: 85, - defaultUnit : "cm", - defaultValue : 0, - value: '0 cm', - maxValue: 55.87, - minValue: -55.87 + this.cmbTextAlignment = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-text-alignment'), + cls: 'input-group-nr', + editable: false, + data: this._arrTextAlignment, + style: 'width: 173px;', + menuStyle : 'min-width: 173px;' }); - this.numFirstLine.on('change', _.bind(function(field, newValue, oldValue, eOpts){ - if (this._changedProps) { - if (this._changedProps.asc_getInd()===null || this._changedProps.asc_getInd()===undefined) - this._changedProps.asc_putInd(new Asc.asc_CParagraphInd()); - this._changedProps.asc_getInd().asc_putFirstLine(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue())); - } - }, this)); - this.spinners.push(this.numFirstLine); + this.cmbTextAlignment.setValue(''); this.numIndentsLeft = new Common.UI.MetricSpinner({ el: $('#paragraphadv-spin-indent-left'), @@ -113,13 +139,14 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. defaultValue : 0, value: '0 cm', maxValue: 55.87, - minValue: -55.87 + minValue: 0 }); this.numIndentsLeft.on('change', _.bind(function(field, newValue, oldValue, eOpts){ + var numval = field.getNumberValue(); if (this._changedProps) { if (this._changedProps.asc_getInd()===null || this._changedProps.asc_getInd()===undefined) - this._changedProps.asc_putInd(new Asc.asc_CParagraphInd()); - this._changedProps.asc_getInd().asc_putLeft(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue())); + this._changedProps.put_Ind(new Asc.asc_CParagraphInd()); + this._changedProps.asc_getInd().put_Left(Common.Utils.Metric.fnRecalcToMM(numval)); } }, this)); this.spinners.push(this.numIndentsLeft); @@ -132,17 +159,104 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. defaultValue : 0, value: '0 cm', maxValue: 55.87, - minValue: -55.87 + minValue: 0 }); this.numIndentsRight.on('change', _.bind(function(field, newValue, oldValue, eOpts){ if (this._changedProps) { if (this._changedProps.asc_getInd()===null || this._changedProps.asc_getInd()===undefined) - this._changedProps.asc_putInd(new Asc.asc_CParagraphInd()); - this._changedProps.asc_getInd().asc_putRight(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue())); + this._changedProps.put_Ind(new Asc.asc_CParagraphInd()); + this._changedProps.asc_getInd().put_Right(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue())); } }, this)); this.spinners.push(this.numIndentsRight); + this.cmbSpecial = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-special'), + cls: 'input-group-nr', + editable: false, + data: this._arrSpecial, + style: 'width: 85px;', + menuStyle : 'min-width: 85px;' + }); + this.cmbSpecial.setValue(''); + this.cmbSpecial.on('selected', _.bind(this.onSpecialSelect, this)); + + this.numSpecialBy = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-special-by'), + step: .1, + width: 85, + defaultUnit : "cm", + defaultValue : 0, + value: '0 cm', + maxValue: 55.87, + minValue: 0 + }); + this.spinners.push(this.numSpecialBy); + this.numSpecialBy.on('change', _.bind(this.onFirstLineChange, this)); + + this.numSpacingBefore = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-spacing-before'), + step: .1, + width: 85, + value: '', + defaultUnit : "cm", + maxValue: 55.88, + minValue: 0, + allowAuto : true, + autoText : this.txtAutoText + }); + this.numSpacingBefore.on('change', _.bind(function (field, newValue, oldValue, eOpts) { + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.asc_getSpacing(); + } + this.Spacing.Before = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); + }, this)); + this.spinners.push(this.numSpacingBefore); + + this.numSpacingAfter = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-spacing-after'), + step: .1, + width: 85, + value: '', + defaultUnit : "cm", + maxValue: 55.88, + minValue: 0, + allowAuto : true, + autoText : this.txtAutoText + }); + this.numSpacingAfter.on('change', _.bind(function (field, newValue, oldValue, eOpts) { + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.asc_getSpacing(); + } + this.Spacing.After = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); + }, this)); + this.spinners.push(this.numSpacingAfter); + + this.cmbLineRule = new Common.UI.ComboBox({ + el: $('#paragraphadv-spin-line-rule'), + cls: 'input-group-nr', + editable: false, + data: this._arrLineRule, + style: 'width: 85px;', + menuStyle : 'min-width: 85px;' + }); + this.cmbLineRule.setValue(this.CurLineRuleIdx); + this.cmbLineRule.on('selected', _.bind(this.onLineRuleSelect, this)); + + this.numLineHeight = new Common.UI.MetricSpinner({ + el: $('#paragraphadv-spin-line-height'), + step: .01, + width: 85, + value: '', + defaultUnit : "", + maxValue: 132, + minValue: 0.5 + }); + this.spinners.push(this.numLineHeight); + this.numLineHeight.on('change', _.bind(this.onNumLineHeightChange, this)); + // Font this.chStrike = new Common.UI.CheckBox({ @@ -207,7 +321,7 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. this.numTab = new Common.UI.MetricSpinner({ el: $('#paraadv-spin-tab'), step: .1, - width: 180, + width: 108, defaultUnit : "cm", value: '1.25 cm', maxValue: 55.87, @@ -218,7 +332,7 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. this.numDefaultTab = new Common.UI.MetricSpinner({ el: $('#paraadv-spin-default-tab'), step: .1, - width: 107, + width: 108, defaultUnit : "cm", value: '1.25 cm', maxValue: 55.87, @@ -234,7 +348,14 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. this.tabList = new Common.UI.ListView({ el: $('#paraadv-list-tabs'), emptyText: this.noTabs, - store: new Common.UI.DataViewStore() + store: new Common.UI.DataViewStore(), + template: _.template(['
    '].join('')), + itemTemplate: _.template([ + '
    ', + '
    <%= value %>
    ', + '
    <%= displayTabAlign %>
    ', + '
    ' + ].join('')) }); this.tabList.store.comparator = function(rec) { return rec.get("tabPos"); @@ -249,24 +370,15 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. this.listenTo(this.tabList.store, 'remove', storechanged); this.listenTo(this.tabList.store, 'reset', storechanged); - this.radioLeft = new Common.UI.RadioBox({ - el: $('#paragraphadv-radio-left'), - labelText: this.textTabLeft, - name: 'asc-radio-tab', - checked: true - }); - - this.radioCenter = new Common.UI.RadioBox({ - el: $('#paragraphadv-radio-center'), - labelText: this.textTabCenter, - name: 'asc-radio-tab' - }); - - this.radioRight = new Common.UI.RadioBox({ - el: $('#paragraphadv-radio-right'), - labelText: this.textTabRight, - name: 'asc-radio-tab' + this.cmbAlign = new Common.UI.ComboBox({ + el : $('#paraadv-cmb-align'), + style : 'width: 108px;', + menuStyle : 'min-width: 108px;', + editable : false, + cls : 'input-group-nr', + data : this._arrTabAlign }); + this.cmbAlign.setValue(1); this.btnAddTab = new Common.UI.Button({ el: $('#paraadv-button-add-tab') @@ -299,17 +411,44 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. this._changedProps.asc_getTabs().add_Tab(tab); }, this); } + + var horizontalAlign = this.cmbTextAlignment.getValue(); + this._changedProps.asc_putJc((horizontalAlign !== undefined && horizontalAlign !== null) ? horizontalAlign : c_paragraphTextAlignment.LEFT); + + if (this.Spacing !== null) { + this._changedProps.asc_putSpacing(this.Spacing); + } + return { paragraphProps: this._changedProps }; }, _setDefaults: function(props) { if (props ){ this._originalProps = new Asc.asc_CParagraphProperty(props); + this.FirstLine = (props.asc_getInd() !== null) ? props.asc_getInd().asc_getFirstLine() : null; - this.numFirstLine.setValue((props.asc_getInd() !== null && props.asc_getInd().asc_getFirstLine() !== null ) ? Common.Utils.Metric.fnRecalcFromMM(props.asc_getInd().asc_getFirstLine()) : '', true); this.numIndentsLeft.setValue((props.asc_getInd() !== null && props.asc_getInd().asc_getLeft() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.asc_getInd().asc_getLeft()) : '', true); this.numIndentsRight.setValue((props.asc_getInd() !== null && props.asc_getInd().asc_getRight() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.asc_getInd().asc_getRight()) : '', true); + this.cmbTextAlignment.setValue((props.asc_getJc() !== undefined && props.asc_getJc() !== null) ? props.asc_getJc() : c_paragraphTextAlignment.CENTERED, true); + + if(this.CurSpecial === undefined) { + this.CurSpecial = (props.asc_getInd().asc_getFirstLine() === 0) ? c_paragraphSpecial.NONE_SPECIAL : ((props.asc_getInd().asc_getFirstLine() > 0) ? c_paragraphSpecial.FIRST_LINE : c_paragraphSpecial.HANGING); + } + this.cmbSpecial.setValue(this.CurSpecial); + this.numSpecialBy.setValue(this.FirstLine!== null ? Math.abs(Common.Utils.Metric.fnRecalcFromMM(this.FirstLine)) : '', true); + + this.numSpacingBefore.setValue((props.asc_getSpacing() !== null && props.asc_getSpacing().asc_getBefore() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.asc_getSpacing().asc_getBefore()) : '', true); + this.numSpacingAfter.setValue((props.asc_getSpacing() !== null && props.asc_getSpacing().asc_getAfter() !== null) ? Common.Utils.Metric.fnRecalcFromMM(props.asc_getSpacing().asc_getAfter()) : '', true); + + var linerule = props.asc_getSpacing().asc_getLineRule(); + this.cmbLineRule.setValue((linerule !== null) ? linerule : '', true); + + if(props.asc_getSpacing() !== null && props.asc_getSpacing().asc_getLine() !== null) { + this.numLineHeight.setValue((linerule==c_paragraphLinerule.LINERULE_AUTO) ? props.asc_getSpacing().asc_getLine() : Common.Utils.Metric.fnRecalcFromMM(props.asc_getSpacing().asc_getLine()), true); + } else { + this.numLineHeight.setValue('', true); + } // Font this._noApply = true; this.chStrike.setValue((props.asc_getStrikeout() !== null && props.asc_getStrikeout() !== undefined) ? props.asc_getStrikeout() : 'indeterminate', true); @@ -338,7 +477,8 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. rec.set({ tabPos: pos, value: parseFloat(pos.toFixed(3)) + ' ' + Common.Utils.Metric.getCurrentMetricName(), - tabAlign: tab.asc_getValue() + tabAlign: tab.asc_getValue(), + displayTabAlign: this._arrKeyTabAlign[tab.asc_getValue()] }); arr.push(rec); } @@ -358,13 +498,19 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. for (var i=0; i 0 ) { + this.CurSpecial = c_paragraphSpecial.FIRST_LINE; + this.cmbSpecial.setValue(c_paragraphSpecial.FIRST_LINE); + } else if (value === 0) { + this.CurSpecial = c_paragraphSpecial.NONE_SPECIAL; + this.cmbSpecial.setValue(c_paragraphSpecial.NONE_SPECIAL); + } + this._changedProps.asc_getInd().put_FirstLine(value); + } + }, + + onLineRuleSelect: function(combo, record) { + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.asc_getSpacing(); + } + this.Spacing.LineRule = record.value; + var selectItem = _.findWhere(this._arrLineRule, {value: record.value}), + indexSelectItem = this._arrLineRule.indexOf(selectItem); + if ( this.CurLineRuleIdx !== indexSelectItem ) { + this.numLineHeight.setDefaultUnit(this._arrLineRule[indexSelectItem].defaultUnit); + this.numLineHeight.setMinValue(this._arrLineRule[indexSelectItem].minValue); + this.numLineHeight.setStep(this._arrLineRule[indexSelectItem].step); + if (this.Spacing.LineRule === c_paragraphLinerule.LINERULE_AUTO) { + this.numLineHeight.setValue(this._arrLineRule[indexSelectItem].defaultValue); + } else { + this.numLineHeight.setValue(Common.Utils.Metric.fnRecalcFromMM(this._arrLineRule[indexSelectItem].defaultValue)); + } + this.CurLineRuleIdx = indexSelectItem; + } + }, + + onNumLineHeightChange: function(field, newValue, oldValue, eOpts) { + if ( this.cmbLineRule.getRawValue() === '' ) + return; + if (this.Spacing === null) { + var properties = (this._originalProps) ? this._originalProps : new Asc.asc_CParagraphProperty(); + this.Spacing = properties.asc_getSpacing(); + } + this.Spacing.Line = (this.cmbLineRule.getValue()==c_paragraphLinerule.LINERULE_AUTO) ? field.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); }, textTitle: 'Paragraph - Advanced Settings', - strIndentsFirstLine: 'First line', strIndentsLeftText: 'Left', strIndentsRightText: 'Right', - strParagraphIndents: 'Indents & Placement', + strParagraphIndents: 'Indents & Spacing', strParagraphFont: 'Font', cancelButtonText: 'Cancel', okButtonText: 'Ok', @@ -583,6 +799,19 @@ define([ 'text!spreadsheeteditor/main/app/template/ParagraphSettingsAdvanced. textAlign: 'Alignment', textTabPosition: 'Tab Position', textDefault: 'Default Tab', - noTabs: 'The specified tabs will appear in this field' + noTabs: 'The specified tabs will appear in this field', + textJustified: 'Justified', + strIndentsSpecial: 'Special', + textNoneSpecial: '(none)', + textFirstLine: 'First line', + textHanging: 'Hanging', + strIndentsSpacingBefore: 'Before', + strIndentsSpacingAfter: 'After', + strIndentsLineSpacing: 'Line Spacing', + txtAutoText: 'Auto', + textAuto: 'Multiple', + textExact: 'Exactly', + strIndent: 'Indents', + strSpacing: 'Spacing' }, SSE.Views.ParagraphSettingsAdvanced || {})); }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app/view/Spellcheck.js b/apps/spreadsheeteditor/main/app/view/Spellcheck.js index 7c40d07ce..33d879318 100644 --- a/apps/spreadsheeteditor/main/app/view/Spellcheck.js +++ b/apps/spreadsheeteditor/main/app/view/Spellcheck.js @@ -109,8 +109,7 @@ define([ }, { caption: this.textChangeAll, - value: 1, - disabled: true + value: 1 } ] }) @@ -132,8 +131,7 @@ define([ }, { caption: this.textIgnoreAll, - value: 1, - disabled: true + value: 1 } ] }) diff --git a/apps/spreadsheeteditor/main/app/view/Toolbar.js b/apps/spreadsheeteditor/main/app/view/Toolbar.js index 0e7bb6053..79bdbd338 100644 --- a/apps/spreadsheeteditor/main/app/view/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/view/Toolbar.js @@ -485,7 +485,7 @@ define([ iconCls : 'btn-border-out', icls : 'btn-border-out', borderId : 'outer', - borderswidth: 'thin', + borderswidth: Asc.c_oAscBorderStyles.Thin, lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth], split : true, menu : true @@ -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 83de12428..00095a744 100644 --- a/apps/spreadsheeteditor/main/locale/bg.json +++ b/apps/spreadsheeteditor/main/locale/bg.json @@ -402,7 +402,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "SSE.Controllers.Main.errorChangeArray": "Не можете да променяте част от масив.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Документът не може да бъде редактиран в момента.", - "SSE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук ", + "SSE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи
    тук", "SSE.Controllers.Main.errorCopyMultiselectArea": "Тази команда не може да се използва с многократни селекции.
    Изберете единичен обхват и опитайте отново.", "SSE.Controllers.Main.errorCountArg": "Грешка в въведената формула.
    Използва се неправилен брой аргументи.", "SSE.Controllers.Main.errorCountArgExceed": "Грешка във въведената формула.
    Брой аргументи е надвишен.", @@ -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 c2d6f7a33..43433e9ae 100644 --- a/apps/spreadsheeteditor/main/locale/cs.json +++ b/apps/spreadsheeteditor/main/locale/cs.json @@ -261,7 +261,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operaci nelze provést, protože oblast obsahuje filtrované buňky.
    Prosím, odkryjte filtrované prvky a zkuste to znovu.", "SSE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Spojení se serverem ztraceno. Dokument nyní nelze upravovat.", - "SSE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "SSE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.
    Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.

    Více informací o připojení najdete v Dokumentovém serveru here", "SSE.Controllers.Main.errorCopyMultiselectArea": "Tento příkaz nelze použít s více výběry.
    Vyberte jeden z rozsahů a zkuste to znovu.", "SSE.Controllers.Main.errorCountArg": "Chyba v zadaném vzorci.
    Použitý neprávný počet argumentů.", "SSE.Controllers.Main.errorCountArgExceed": "Chyba v zadaném vzorci.
    Překročen počet argumentů.", @@ -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 ef0e20cda..7381e20ff 100644 --- a/apps/spreadsheeteditor/main/locale/de.json +++ b/apps/spreadsheeteditor/main/locale/de.json @@ -369,13 +369,13 @@ "SSE.Controllers.DocumentHolder.txtUseTextImport": "Text Import-Assistenten verwenden", "SSE.Controllers.DocumentHolder.txtWidth": "Breite", "SSE.Controllers.FormulaDialog.sCategoryAll": "Alle", - "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 zuletzt verwendete", "SSE.Controllers.FormulaDialog.sCategoryCube": "Cube", "SSE.Controllers.FormulaDialog.sCategoryDatabase": "Datenbank", "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Datum und Uhrzeit", "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Konstruktion", "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Finanzmathematik", "SSE.Controllers.FormulaDialog.sCategoryInformation": "Information", + "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 zuletzt verwendete", "SSE.Controllers.FormulaDialog.sCategoryLogical": "Logisch", "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Suchen und Bezüge", "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Mathematik und Trigonometrie", @@ -415,7 +415,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "SSE.Controllers.Main.errorChangeArray": "Sie können einen Teil eines Arrays nicht ändern.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Das Dokument kann momentan nicht bearbeitet werden.", - "SSE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", + "SSE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", "SSE.Controllers.Main.errorCopyMultiselectArea": "Bei einer Markierung von nicht angrenzenden Zellen ist die Ausführung dieses Befehls nicht möglich.
    Wählen Sie nur einen einzelnen Bereich aus, und versuchen Sie es noch mal.", "SSE.Controllers.Main.errorCountArg": "Die eingegebene Formel enthält einen Fehler.
    Falsche Anzahl an Argumenten wurde genutzt.", "SSE.Controllers.Main.errorCountArgExceed": "Die eingegebene Formel enthält einen Fehler.
    Anzahl der Argumente wurde überschritten.", @@ -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 76d605821..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,13 +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.Print.strAllSheets": "All Sheets", "SSE.Controllers.Print.textWarning": "Warning", "SSE.Controllers.Print.txtCustom": "Custom", @@ -1337,8 +1343,12 @@ "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", @@ -1645,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", @@ -1661,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", @@ -1717,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", @@ -1804,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 & Placement", + "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", @@ -1826,6 +1849,7 @@ "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position", "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Right", "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings", + "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto", "SSE.Views.PivotSettings.notcriticalErrorTitle": "Warning", "SSE.Views.PivotSettings.textAdvanced": "Show advanced settings", "SSE.Views.PivotSettings.textCancel": "Cancel", @@ -1935,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", @@ -1979,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", @@ -2033,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", @@ -2395,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 925dbb76e..247b4336f 100644 --- a/apps/spreadsheeteditor/main/locale/fr.json +++ b/apps/spreadsheeteditor/main/locale/fr.json @@ -222,19 +222,6 @@ "Common.Views.SignSettingsDialog.textShowDate": "Afficher la date de signature à côté de la signature", "Common.Views.SignSettingsDialog.textTitle": "Mise en place de la signature", "Common.Views.SignSettingsDialog.txtEmpty": "Ce champ est obligatoire", - "SSE.Controllers.FormulaDialog.sCategoryAll": "Tout", - "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 dernières utilisées", - "SSE.Controllers.FormulaDialog.sCategoryLogical": "Logique", - "SSE.Controllers.FormulaDialog.sCategoryCube": "Cube", - "SSE.Controllers.FormulaDialog.sCategoryDatabase": "Base de données", - "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Date et heure", - "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Ingénierie", - "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Financier", - "SSE.Controllers.FormulaDialog.sCategoryInformation": "Information", - "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Recherche et référence", - "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Maths et trigonométrie", - "SSE.Controllers.FormulaDialog.sCategoryStatistical": "Statistiques", - "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "Texte et données", "SSE.Controllers.DataTab.textWizard": "Assistant conversion de texte en colonnes", "SSE.Controllers.DocumentHolder.alignmentText": "Alignement", "SSE.Controllers.DocumentHolder.centerText": "Au centre", @@ -383,6 +370,19 @@ "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Annuler l'expansion automatique du tableau", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Utiliser l'assistant Importation de texte", "SSE.Controllers.DocumentHolder.txtWidth": "Largeur", + "SSE.Controllers.FormulaDialog.sCategoryAll": "Tout", + "SSE.Controllers.FormulaDialog.sCategoryCube": "Cube", + "SSE.Controllers.FormulaDialog.sCategoryDatabase": "Base de données", + "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Date et heure", + "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Ingénierie", + "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Financier", + "SSE.Controllers.FormulaDialog.sCategoryInformation": "Information", + "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 dernières utilisées", + "SSE.Controllers.FormulaDialog.sCategoryLogical": "Logique", + "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Recherche et référence", + "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Maths et trigonométrie", + "SSE.Controllers.FormulaDialog.sCategoryStatistical": "Statistiques", + "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "Texte et données", "SSE.Controllers.LeftMenu.newDocumentTitle": "Feuille de calcul sans nom", "SSE.Controllers.LeftMenu.textByColumns": "Par colonnes", "SSE.Controllers.LeftMenu.textByRows": "Par lignes", @@ -417,7 +417,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "L'URL d'image est incorrecte", "SSE.Controllers.Main.errorChangeArray": "Vous ne pouvez pas modifier des parties d'une tableau. ", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Connexion au serveur perdue. Le document ne peut être modifié en ce moment.", - "SSE.Controllers.Main.errorConnectToServer": "Le document n'a pas pu être enregistré. Veuillez vérifier les paramètres de connexion ou contactez votre administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion de Document Serverici", + "SSE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion au Serveur de Documents ici", "SSE.Controllers.Main.errorCopyMultiselectArea": "Impossible d'exécuter cette commande sur des sélections multiples.
    Sélectionnez une seule plage et essayez à nouveau.", "SSE.Controllers.Main.errorCountArg": "Une erreur dans la formule entrée.
    Nombre d'arguments utilisé est incorrect.", "SSE.Controllers.Main.errorCountArgExceed": "Une erreur dans la formule entrée.
    Nombre d'arguments est dépassé.", @@ -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 99076bd1a..3b61d1ba9 100644 --- a/apps/spreadsheeteditor/main/locale/hu.json +++ b/apps/spreadsheeteditor/main/locale/hu.json @@ -400,7 +400,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "Hibás kép URL", "SSE.Controllers.Main.errorChangeArray": "Nem módosíthatja a tömb egy részét.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Elveszett a kapcsolat a szerverrel. A dokumentum jelenleg nem szerkeszthető.", - "SSE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.
    Ha az 'OK'-ra kattint letöltheti a dokumentumot.

    Bővebb információk a Dokumentum Szerverhez kapcsolódásról itt találhat.", + "SSE.Controllers.Main.errorConnectToServer": "A dokumentum mentése nem lehetséges. Kérjük ellenőrizze a kapcsolódási beállításokat vagy lépjen kapcsolatba a rendszer adminisztrátorral.
    Ha az 'OK'-ra kattint letöltheti a dokumentumot.

    Bővebb információk a Dokumentum Szerverhez kapcsolódásról itt találhat.", "SSE.Controllers.Main.errorCopyMultiselectArea": "Ez a parancs nem használható többes kiválasztással.
    Válasszon ki egy tartományt és próbálja újra.", "SSE.Controllers.Main.errorCountArg": "Hiba a megadott képletben.
    Nem megfelelő számú argumentum használata.", "SSE.Controllers.Main.errorCountArgExceed": "Hiba a megadott képletben.
    Az argumentumok száma túllépve.", @@ -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 4a84e34f7..7eda6428c 100644 --- a/apps/spreadsheeteditor/main/locale/it.json +++ b/apps/spreadsheeteditor/main/locale/it.json @@ -419,7 +419,7 @@ "SSE.Controllers.Main.errorCannotUngroup": "Impossibile separare. Per iniziare una struttura, seleziona le righe o le colonne interessate e raggruppale.", "SSE.Controllers.Main.errorChangeArray": "Non è possibile modificare parte di un array.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Connessione al server persa. Impossibile modificare il documento.", - "SSE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server here", + "SSE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", "SSE.Controllers.Main.errorCopyMultiselectArea": "Questo comando non può essere applicato a selezioni multiple.
    Seleziona un intervallo singolo e riprova.", "SSE.Controllers.Main.errorCountArg": "Un errore nella formula inserita.
    E' stato utilizzato un numero di argomento scorretto.", "SSE.Controllers.Main.errorCountArgExceed": "Un errore nella formula inserita.
    E' stato superato il numero di argomenti.", @@ -427,6 +427,7 @@ "SSE.Controllers.Main.errorDatabaseConnection": "Errore esterno.
    Errore di connessione a banca dati. Si prega di contattare l'assistenza tecnica nel caso in cui l'errore persiste.", "SSE.Controllers.Main.errorDataEncrypted": "Le modifiche crittografate sono state ricevute, non possono essere decifrate.", "SSE.Controllers.Main.errorDataRange": "Intervallo di dati non corretto.", + "SSE.Controllers.Main.errorDataValidate": "Il valore inserito non è valido.
    Un utente ha valori limitati che possono essere inseriti in questa cella.", "SSE.Controllers.Main.errorDefaultMessage": "Codice errore: %1", "SSE.Controllers.Main.errorEditingDownloadas": "Si è verificato un errore durante il lavoro con il documento.
    Utilizzare l'opzione 'Scarica come ...' per salvare la copia di backup del file sul disco rigido del computer.", "SSE.Controllers.Main.errorEditingSaveas": "Si è verificato un errore durante il lavoro con il documento.
    Utilizzare l'opzione 'Salva come ...' per salvare la copia di backup del file sul disco rigido del computer.", @@ -521,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", @@ -722,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.", @@ -738,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", @@ -1333,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", @@ -1641,6 +1655,7 @@ "SSE.Views.HeaderFooterDialog.textInsert": "Inserisci", "SSE.Views.HeaderFooterDialog.textItalic": "Corsivo", "SSE.Views.HeaderFooterDialog.textLeft": "A sinistra", + "SSE.Views.HeaderFooterDialog.textMaxError": "La stringa di testo inserita è troppo lunga. Ridurre il numero di caratteri utilizzati.", "SSE.Views.HeaderFooterDialog.textNewColor": "Colore personalizzato", "SSE.Views.HeaderFooterDialog.textOdd": "Pagina dispari", "SSE.Views.HeaderFooterDialog.textPageCount": "Conteggio pagine", @@ -1712,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", @@ -1798,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", @@ -1820,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", @@ -1929,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à", @@ -2026,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/ja.json b/apps/spreadsheeteditor/main/locale/ja.json index 58108df2b..a17d8be4a 100644 --- a/apps/spreadsheeteditor/main/locale/ja.json +++ b/apps/spreadsheeteditor/main/locale/ja.json @@ -123,7 +123,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "エリアをフィルタされたセルが含まれているので、操作を実行できません。
    フィルタリングの要素を表示して、もう一度お試しください", "SSE.Controllers.Main.errorBadImageUrl": "画像のURLが正しくありません。", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。", - "SSE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
    OKボタンをクリックするとドキュメントをダウンロードするように求められます。

    ドキュメントサーバーの接続の詳細情報を見つけます:here", + "SSE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
    OKボタンをクリックするとドキュメントをダウンロードするように求められます。

    ドキュメントサーバーの接続の詳細情報を見つけます:ここに", "SSE.Controllers.Main.errorCountArg": "入力した数式は正しくありません。
    引数の数が一致していません。", "SSE.Controllers.Main.errorCountArgExceed": "入力した数式は正しくありません。
    引数の数を超過しました。", "SSE.Controllers.Main.errorCreateDefName": "存在する名前付き範囲を編集することはできません。
    今、範囲が編集されているので、新しい名前付き範囲を作成することはできません。", diff --git a/apps/spreadsheeteditor/main/locale/ko.json b/apps/spreadsheeteditor/main/locale/ko.json index c2d4d9211..4e9f7940b 100644 --- a/apps/spreadsheeteditor/main/locale/ko.json +++ b/apps/spreadsheeteditor/main/locale/ko.json @@ -359,7 +359,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "영역에 필터링 된 셀이 포함되어있어 작업을 수행 할 수 없습니다.
    필터링 된 요소를 숨김 해제하고 다시 시도하십시오.", "SSE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 문서를 지금 편집 할 수 없습니다.", - "SSE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", + "SSE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", "SSE.Controllers.Main.errorCopyMultiselectArea": "이 명령은 여러 선택 항목과 함께 사용할 수 없습니다.
    단일 범위를 선택하고 다시 시도하십시오.", "SSE.Controllers.Main.errorCountArg": "입력 된 수식에 오류가 있습니다.
    잘못된 수의 인수가 사용되었습니다.", "SSE.Controllers.Main.errorCountArgExceed": "입력 된 수식에 오류가 있습니다.
    인수 수가 초과되었습니다.", @@ -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 68ae17351..4262d0d8e 100644 --- a/apps/spreadsheeteditor/main/locale/lv.json +++ b/apps/spreadsheeteditor/main/locale/lv.json @@ -356,7 +356,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
    Please unhide the filtered elements and try again.", "SSE.Controllers.Main.errorBadImageUrl": "Image URL is incorrect", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.", - "SSE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "SSE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk par dokumentu servera pieslēgšanu šeit", "SSE.Controllers.Main.errorCopyMultiselectArea": "Šo komandu nevar izmantot nesaistītiem diapazoniem.
    Izvēlieties vienu diapazonu un mēģiniet vēlreiz.", "SSE.Controllers.Main.errorCountArg": "Kļūda ievadītā formulā.
    Ir izmantots nepareizs argumentu skaits.", "SSE.Controllers.Main.errorCountArgExceed": "Kļūda ievadītā formulā.
    Ir pārsniegts argumentu skaits.", @@ -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 62cec577f..84a43f9c9 100644 --- a/apps/spreadsheeteditor/main/locale/nl.json +++ b/apps/spreadsheeteditor/main/locale/nl.json @@ -359,7 +359,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "De bewerking kan niet worden uitgevoerd omdat het gebied gefilterde cellen bevat.
    Maak het verbergen van de gefilterde elementen ongedaan en probeer het opnieuw.", "SSE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server is verbroken. Het document kan op dit moment niet worden bewerkt.", - "SSE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd om het document te downloaden.

    Meer informatie over de verbinding met een documentserver is hier te vinden.", + "SSE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.

    Meer informatie over verbindingen met de documentserver is hier te vinden.", "SSE.Controllers.Main.errorCopyMultiselectArea": "Deze opdracht kan niet worden uitgevoerd op meerdere selecties.
    Selecteer één bereik en probeer het opnieuw.", "SSE.Controllers.Main.errorCountArg": "De ingevoerde formule bevat een fout.
    Onjuist aantal argumenten gebruikt.", "SSE.Controllers.Main.errorCountArgExceed": "De ingevoerde formule bevat een fout.
    Aantal argumenten overschreden.", @@ -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 7fa9ef64a..7e6597f15 100644 --- a/apps/spreadsheeteditor/main/locale/pl.json +++ b/apps/spreadsheeteditor/main/locale/pl.json @@ -110,19 +110,6 @@ "Common.Views.RenameDialog.okButtonText": "OK", "Common.Views.RenameDialog.textName": "Nazwa pliku", "Common.Views.RenameDialog.txtInvalidName": "Nazwa pliku nie może zawierać żadnego z następujących znaków:", - "SSE.Controllers.FormulaDialog.sCategoryAll": "Wszystko", - "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 ostatnio używanych", - "SSE.Controllers.FormulaDialog.sCategoryLogical": "Logiczny", - "SSE.Controllers.FormulaDialog.sCategoryCube": "Sześcian", - "SSE.Controllers.FormulaDialog.sCategoryDatabase": "Baza danych", - "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Data i czas", - "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Inżyniera", - "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Finansowe", - "SSE.Controllers.FormulaDialog.sCategoryInformation": "Informacja", - "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Wyszukiwanie i odniesienie", - "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Matematyczne i trygonometryczne", - "SSE.Controllers.FormulaDialog.sCategoryStatistical": "Statystyczny", - "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "Tekst i data", "SSE.Controllers.DocumentHolder.alignmentText": "Wyrównanie", "SSE.Controllers.DocumentHolder.centerText": "Środek", "SSE.Controllers.DocumentHolder.deleteColumnText": "Usuń kolumnę", @@ -240,6 +227,19 @@ "SSE.Controllers.DocumentHolder.txtTop": "Góra", "SSE.Controllers.DocumentHolder.txtUnderbar": "Pasek pod tekstem", "SSE.Controllers.DocumentHolder.txtWidth": "Szerokość", + "SSE.Controllers.FormulaDialog.sCategoryAll": "Wszystko", + "SSE.Controllers.FormulaDialog.sCategoryCube": "Sześcian", + "SSE.Controllers.FormulaDialog.sCategoryDatabase": "Baza danych", + "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Data i czas", + "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Inżyniera", + "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Finansowe", + "SSE.Controllers.FormulaDialog.sCategoryInformation": "Informacja", + "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 ostatnio używanych", + "SSE.Controllers.FormulaDialog.sCategoryLogical": "Logiczny", + "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Wyszukiwanie i odniesienie", + "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Matematyczne i trygonometryczne", + "SSE.Controllers.FormulaDialog.sCategoryStatistical": "Statystyczny", + "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "Tekst i data", "SSE.Controllers.LeftMenu.newDocumentTitle": "Nienazwany arkusz kalkulacyjny", "SSE.Controllers.LeftMenu.textByColumns": "Przez kolumny", "SSE.Controllers.LeftMenu.textByRows": "Przez wiersze", @@ -272,7 +272,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operacja nie może zostać wykonana, ponieważ obszar zawiera filtrowane komórki.
    Proszę ukryj filtrowane elementy i spróbuj ponownie.", "SSE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie można teraz edytować dokumentu.", - "SSE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", + "SSE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", "SSE.Controllers.Main.errorCopyMultiselectArea": "To polecenie nie może być użyte z wieloma wyborami.
    Wybierz jeden zakres i spróbuj ponownie.", "SSE.Controllers.Main.errorCountArg": "Wprowadzona formuła jest błędna.
    Niepoprawna ilość argumentów.", "SSE.Controllers.Main.errorCountArgExceed": "Wprowadzona formuła jest błędna.
    Przekroczono liczbę argumentów.", @@ -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", @@ -428,6 +428,7 @@ "SSE.Controllers.Toolbar.textLongOperation": "Długa praca", "SSE.Controllers.Toolbar.textMatrix": "Macierze", "SSE.Controllers.Toolbar.textOperator": "Operatory", + "SSE.Controllers.Toolbar.textPivot": "Tabela przestawna", "SSE.Controllers.Toolbar.textRadical": "Pierwiastki", "SSE.Controllers.Toolbar.textScript": "Pisma", "SSE.Controllers.Toolbar.textSymbols": "Symbole", @@ -1315,6 +1316,9 @@ "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Pozycja karty", "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Prawy", "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Akapit - Ustawienia zaawansowane", + "SSE.Views.PivotTable.capLayout": "Układ raportu", + "SSE.Views.PivotTable.tipCreatePivot": "Wstaw tabelę przestawną", + "SSE.Views.PivotTable.tipSelect": "Zaznacz całą tabelę przestawną", "SSE.Views.PrintSettings.btnPrint": "Zapisz i drukuj", "SSE.Views.PrintSettings.cancelButtonText": "Anuluj", "SSE.Views.PrintSettings.strBottom": "Dół", @@ -1346,6 +1350,7 @@ "SSE.Views.RightMenu.txtChartSettings": "Ustawienia wykresu", "SSE.Views.RightMenu.txtImageSettings": "Ustawienia obrazu", "SSE.Views.RightMenu.txtParagraphSettings": "Ustawienia tekstu", + "SSE.Views.RightMenu.txtPivotSettings": "Ustawienia tabeli przestawnej", "SSE.Views.RightMenu.txtSettings": "Ogólne ustawienia", "SSE.Views.RightMenu.txtShapeSettings": "Ustawienia kształtu", "SSE.Views.RightMenu.txtSparklineSettings": "Ustawienia Sparkline", @@ -1614,9 +1619,11 @@ "SSE.Views.Toolbar.textSparks": "Sparklines", "SSE.Views.Toolbar.textStock": "Zbiory", "SSE.Views.Toolbar.textSurface": "Powierzchnia", + "SSE.Views.Toolbar.textTabCollaboration": "Współpraca", "SSE.Views.Toolbar.textTabFile": "Plik", - "SSE.Views.Toolbar.textTabHome": "Start", - "SSE.Views.Toolbar.textTabInsert": "Wstawić", + "SSE.Views.Toolbar.textTabHome": "Narzędzia główne", + "SSE.Views.Toolbar.textTabInsert": "Wstawianie", + "SSE.Views.Toolbar.textTabLayout": "Układ", "SSE.Views.Toolbar.textTopBorders": "Górne krawędzie", "SSE.Views.Toolbar.textUnderline": "Podkreśl", "SSE.Views.Toolbar.textWinLossSpark": "Wygrana/przegrana", diff --git a/apps/spreadsheeteditor/main/locale/pt.json b/apps/spreadsheeteditor/main/locale/pt.json index 083cdec6c..b9bdbb3e1 100644 --- a/apps/spreadsheeteditor/main/locale/pt.json +++ b/apps/spreadsheeteditor/main/locale/pt.json @@ -258,7 +258,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
    Please unhide the filtered elements and try again.", "SSE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", - "SSE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "SSE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.
    Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento.

    Encontre mais informações sobre como conecta ao Document Server aqui", "SSE.Controllers.Main.errorCopyMultiselectArea": "Este comando não pode ser usado com várias seleções.
    Selecione um intervalo único e tente novamente.", "SSE.Controllers.Main.errorCountArg": "Um erro na fórmula inserida.
    Número incorreto de argumentos está sendo usado.", "SSE.Controllers.Main.errorCountArgExceed": "Um erro na fórmula inserida.
    Número de argumentos está excedido.", @@ -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 751136989..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": "Неизвестная ошибка.", @@ -738,7 +748,7 @@ "SSE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", "SSE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.
    Обновите лицензию, а затем обновите страницу.", "SSE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", - "SSE.Controllers.Main.warnNoLicense": "Эта версия редакторов ONLYOFFICE имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", + "SSE.Controllers.Main.warnNoLicense": "Эта версия редакторов %1 имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "SSE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "SSE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", "SSE.Controllers.Print.strAllSheets": "Все листы", @@ -1333,8 +1343,12 @@ "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": "Разделить текст ячейки по столбцам", @@ -1546,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": "Сантиметр", @@ -1641,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": "Число страниц", @@ -1712,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": "Альбомная", @@ -1799,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.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": "Задать", @@ -1821,6 +1849,7 @@ "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Позиция", "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "По правому краю", "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Абзац - дополнительные параметры", + "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто", "SSE.Views.PivotSettings.notcriticalErrorTitle": "Внимание", "SSE.Views.PivotSettings.textAdvanced": "Дополнительные параметры", "SSE.Views.PivotSettings.textCancel": "Отмена", @@ -1930,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": "Непрозрачность", @@ -1974,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": "Колонки", @@ -2028,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": "Скопировать перед листом", @@ -2390,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 a719be3cc..58c628f67 100644 --- a/apps/spreadsheeteditor/main/locale/sk.json +++ b/apps/spreadsheeteditor/main/locale/sk.json @@ -280,7 +280,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operáciu nemožno vykonať, pretože oblasť obsahuje filtrované bunky.
    Odkryte filtrované prvky a skúste to znova.", "SSE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", - "SSE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", + "SSE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", "SSE.Controllers.Main.errorCopyMultiselectArea": "Tento príkaz sa nedá použiť s viacerými výbermi.
    Vyberte jeden rozsah a skúste to znova.", "SSE.Controllers.Main.errorCountArg": "Chyba v zadanom vzorci.
    Používa sa nesprávny počet argumentov.", "SSE.Controllers.Main.errorCountArgExceed": "Chyba v zadanom vzorci.
    Počet argumentov je prekročený.", @@ -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 63f46deed..a968ad866 100644 --- a/apps/spreadsheeteditor/main/locale/tr.json +++ b/apps/spreadsheeteditor/main/locale/tr.json @@ -259,7 +259,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
    Please unhide the filtered elements and try again.", "SSE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.", - "SSE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
    When you click the 'OK' button, you will be prompted to download the document.

    Find more information about connecting Document Server here", + "SSE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.

    Belge Sunucusuna bağlanma konusunda daha fazla bilgi için buraya tıklayın", "SSE.Controllers.Main.errorCopyMultiselectArea": "Bu komut çoklu seçimlerle kullanılamaz.
    Tek bir aralık seçin ve tekrar deneyin.", "SSE.Controllers.Main.errorCountArg": "Girilen formülde hata oluştu.
    Yanlış değişken sayısı kullanıldı.", "SSE.Controllers.Main.errorCountArgExceed": "Girilen formülde hata oluştu.
    Değişken sayısı aşıldı.", @@ -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 b5ebc5ab9..7ab1ad781 100644 --- a/apps/spreadsheeteditor/main/locale/uk.json +++ b/apps/spreadsheeteditor/main/locale/uk.json @@ -258,7 +258,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Операція не може бути виконана, оскільки область містить фільтрувані клітинки.
    Будь ласка, відобразіть фільтрувані елементи та повторіть спробу.", "SSE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.", - "SSE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів тут ", + "SSE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів
    тут", "SSE.Controllers.Main.errorCopyMultiselectArea": "Ця команда не може бути використана з декількома вибору.
    Виберіть один діапазон і спробуйте ще раз.", "SSE.Controllers.Main.errorCountArg": "Помилка введеної формули.
    Використовується невірне число аргументів.", "SSE.Controllers.Main.errorCountArgExceed": "Помилка введеної формули.
    Кількість аргументів перевищено.", @@ -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 296aed066..3ee165adc 100644 --- a/apps/spreadsheeteditor/main/locale/vi.json +++ b/apps/spreadsheeteditor/main/locale/vi.json @@ -258,7 +258,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Không thể thực hiện thao tác vì vùng này chứa các ô được lọc.
    Vui lòng bỏ ẩn các phần tử được lọc và thử lại.", "SSE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Mất kết nối server. Không thể chỉnh sửa tài liệu ngay lúc này.", - "SSE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", + "SSE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", "SSE.Controllers.Main.errorCopyMultiselectArea": "Không thể sử dụng lệnh này với nhiều lựa chọn.
    Chọn một phạm vi và thử lại.", "SSE.Controllers.Main.errorCountArg": "Lỗi trong công thức đã nhập.
    Không dùng đúng số lượng đối số.", "SSE.Controllers.Main.errorCountArgExceed": "Lỗi trong công thức đã nhập.
    Đã vượt quá số lượng đối số.", @@ -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 b2c5b2a21..527fe62d5 100644 --- a/apps/spreadsheeteditor/main/locale/zh.json +++ b/apps/spreadsheeteditor/main/locale/zh.json @@ -402,7 +402,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "SSE.Controllers.Main.errorChangeArray": "您无法更改部分阵列。", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", - "SSE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器在这里", + "SSE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器
    在这里", "SSE.Controllers.Main.errorCopyMultiselectArea": "该命令不能与多个选择一起使用。
    选择一个范围,然后重试。", "SSE.Controllers.Main.errorCountArg": "一个错误的输入公式。< br >正确使用数量的参数。", "SSE.Controllers.Main.errorCountArgExceed": "一个错误的输入公式。< br >超过数量的参数。", @@ -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/app.js b/apps/spreadsheeteditor/mobile/app.js index 82d26b8e4..582f07fd7 100644 --- a/apps/spreadsheeteditor/mobile/app.js +++ b/apps/spreadsheeteditor/mobile/app.js @@ -167,7 +167,7 @@ require([ //Store Framework7 initialized instance for easy access window.uiApp = new Framework7({ // Default title for modals - modalTitle: '{{MOBILE_MODAL_TITLE}}', + modalTitle: '{{APP_TITLE_TEXT}}', // Enable tap hold events tapHold: true, diff --git a/apps/spreadsheeteditor/mobile/app/controller/Main.js b/apps/spreadsheeteditor/mobile/app/controller/Main.js index 751b3ec95..b187c935d 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Main.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Main.js @@ -211,6 +211,7 @@ define([ me.appOptions.createUrl = me.editorConfig.createUrl; me.appOptions.lang = me.editorConfig.lang; me.appOptions.location = (typeof (me.editorConfig.location) == 'string') ? me.editorConfig.location.toLowerCase() : ''; + me.appOptions.region = (typeof (me.editorConfig.region) == 'string') ? this.editorConfig.region.toLowerCase() : this.editorConfig.region; me.appOptions.sharingSettingsUrl = me.editorConfig.sharingSettingsUrl; me.appOptions.fileChoiceUrl = me.editorConfig.fileChoiceUrl; me.appOptions.mergeFolderUrl = me.editorConfig.mergeFolderUrl; @@ -226,7 +227,13 @@ define([ if (value!==null) this.api.asc_setLocale(parseInt(value)); else { - this.api.asc_setLocale((this.editorConfig.lang) ? parseInt(Common.util.LanguageInfo.getLocalLanguageCode(this.editorConfig.lang)) : 0x0409); + value = me.appOptions.region; + value = Common.util.LanguageInfo.getLanguages().hasOwnProperty(value) ? value : Common.util.LanguageInfo.getLocalLanguageCode(value); + if (value!==null) + value = parseInt(value); + else + value = (this.editorConfig.lang) ? parseInt(Common.util.LanguageInfo.getLocalLanguageCode(me.editorConfig.lang)) : 0x0409; + this.api.asc_setLocale(value); } if (me.appOptions.location == 'us' || me.appOptions.location == 'ca') diff --git a/apps/spreadsheeteditor/mobile/app/controller/Settings.js b/apps/spreadsheeteditor/mobile/app/controller/Settings.js index f9fc62925..462a4eeb5 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Settings.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Settings.js @@ -112,7 +112,18 @@ define([ 'Settings': { 'page:show' : this.onPageShow , 'settings:showhelp': function(e) { - window.open('{{SUPPORT_URL}}', "_blank"); + var url = '{{HELP_URL}}'; + if (url.charAt(url.length-1) !== '/') { + url += '/'; + } + if (Common.SharedSettings.get('sailfish')) { + url+='mobile-applications/documents/sailfish/index.aspx'; + } else if (Common.SharedSettings.get('android')) { + url+='mobile-applications/documents/android/index.aspx'; + } else { + url+='mobile-applications/documents/index.aspx'; + } + window.open(url, "_blank"); this.hideModal(); } } @@ -200,6 +211,7 @@ define([ }); }).on('close', function () { $overlay.off('removeClass'); + $overlay.removeClass('modal-overlay-visible'); }); } @@ -670,20 +682,24 @@ define([ var me = this, format = $(e.currentTarget).data('format'); + me.hideModal(); + if (format) { if (format == Asc.c_oAscFileType.CSV) { - uiApp.confirm( - me.warnDownloadAs, - me.notcriticalErrorTitle, - function () { - Common.NotificationCenter.trigger('download:advanced', Asc.c_oAscAdvancedOptionsID.CSV, me.api.asc_getAdvancedOptions(), 2, new Asc.asc_CDownloadOptions(format)); - } - ); + setTimeout(function () { + uiApp.confirm( + me.warnDownloadAs, + me.notcriticalErrorTitle, + function () { + Common.NotificationCenter.trigger('download:advanced', Asc.c_oAscAdvancedOptionsID.CSV, me.api.asc_getAdvancedOptions(), 2, new Asc.asc_CDownloadOptions(format)); + } + ); + }, 50); } else { - me.api.asc_DownloadAs(new Asc.asc_CDownloadOptions(format)); + setTimeout(function () { + me.api.asc_DownloadAs(new Asc.asc_CDownloadOptions(format)); + }, 50); } - - me.hideModal(); } }, diff --git a/apps/spreadsheeteditor/mobile/app/controller/edit/EditCell.js b/apps/spreadsheeteditor/mobile/app/controller/edit/EditCell.js index a8bc562c4..204c4be27 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/edit/EditCell.js +++ b/apps/spreadsheeteditor/mobile/app/controller/edit/EditCell.js @@ -56,7 +56,7 @@ define([ _cellInfo = undefined, _cellStyles = [], _fontInfo = {}, - _borderInfo = {color: '000000', width: 'medium'}, + _borderInfo = {color: '000000', width: Asc.c_oAscBorderStyles.Medium}, _styleSize = {width: 100, height: 50}, _isEdit = false; @@ -283,7 +283,7 @@ define([ $('#edit-border-size .item-after').text($('#edit-border-size select option[value=' +_borderInfo.width + ']').text()); $('#edit-border-size select').single('change', function (e) { - _borderInfo.width = $(e.currentTarget).val(); + _borderInfo.width = parseInt($(e.currentTarget).val()); }) }, @@ -360,6 +360,7 @@ define([ onApiInitEditorStyles: function(styles){ window.styles_loaded = false; + _cellStyles = styles; this.getView('EditCell').renderStyles(styles); diff --git a/apps/spreadsheeteditor/mobile/app/template/EditCell.template b/apps/spreadsheeteditor/mobile/app/template/EditCell.template index 193f2652e..93435f351 100644 --- a/apps/spreadsheeteditor/mobile/app/template/EditCell.template +++ b/apps/spreadsheeteditor/mobile/app/template/EditCell.template @@ -423,9 +423,9 @@
  • diff --git a/apps/spreadsheeteditor/mobile/app/template/Settings.template b/apps/spreadsheeteditor/mobile/app/template/Settings.template index 96803a72f..0852487a3 100644 --- a/apps/spreadsheeteditor/mobile/app/template/Settings.template +++ b/apps/spreadsheeteditor/mobile/app/template/Settings.template @@ -195,16 +195,6 @@
  • -
    <%= scope.textSubject %>
    -
    -
      -
    • -
      -
      <%= scope.textLoading %>
      -
      -
    • -
    -
    <%= scope.textTitle %>
      @@ -215,6 +205,16 @@
    +
    <%= scope.textSubject %>
    +
    +
      +
    • +
      +
      <%= scope.textLoading %>
      +
      +
    • +
    +
    <%= scope.textComment %>
      @@ -436,21 +436,21 @@

    SPREADSHEET EDITOR

    -

    <%= scope.textVersion %> {{PRODUCT_VERSION}}

    +

    <%= scope.textVersion %> <%= prodversion %>

    diff --git a/apps/spreadsheeteditor/mobile/app/view/Settings.js b/apps/spreadsheeteditor/mobile/app/view/Settings.js index a385fcaaf..a8471525f 100644 --- a/apps/spreadsheeteditor/mobile/app/view/Settings.js +++ b/apps/spreadsheeteditor/mobile/app/view/Settings.js @@ -101,7 +101,14 @@ define([ xltx: Asc.c_oAscFileType.XLTX, ots: Asc.c_oAscFileType.OTS }, - width : $(window).width() + width : $(window).width(), + prodversion: '{{PRODUCT_VERSION}}', + publishername: '{{PUBLISHER_NAME}}', + publisheraddr: '{{PUBLISHER_ADDRESS}}', + publisherurl: '{{PUBLISHER_URL}}', + printed_url: ("{{PUBLISHER_URL}}").replace(/https?:\/{2}/, "").replace(/\/$/,""), + supportemail: '{{SUPPORT_EMAIL}}', + phonenum: '{{PUBLISHER_PHONE}}' })); return this; diff --git a/apps/spreadsheeteditor/mobile/app/view/add/AddLink.js b/apps/spreadsheeteditor/mobile/app/view/add/AddLink.js index 0158fca99..7b524d3de 100644 --- a/apps/spreadsheeteditor/mobile/app/view/add/AddLink.js +++ b/apps/spreadsheeteditor/mobile/app/view/add/AddLink.js @@ -200,7 +200,7 @@ define([ var $view = $('.settings'); var disabled = text == 'locked'; - disabled && (text = ' '); + disabled && (text = this.textSelectedRange); $view.find('#add-link-display input').prop('disabled', disabled).val(text); $view.find('#add-link-display .label').toggleClass('disabled', disabled); }, @@ -261,7 +261,8 @@ define([ textInternalLink: 'Internal Data Range', textSheet: 'Sheet', textRange: 'Range', - textRequired: 'Required' + textRequired: 'Required', + textSelectedRange: 'Selected Range' } })(), SSE.Views.AddLink || {})) }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/bg.json b/apps/spreadsheeteditor/mobile/locale/bg.json index de0669b71..ee83a7ffc 100644 --- a/apps/spreadsheeteditor/mobile/locale/bg.json +++ b/apps/spreadsheeteditor/mobile/locale/bg.json @@ -116,7 +116,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "URL адресът на изображението е неправилен", "SSE.Controllers.Main.errorChangeArray": "Не можете да променяте част от масив.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Връзката със сървъра е загубена. Документът не може да бъде редактиран в момента.", - "SSE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук ", + "SSE.Controllers.Main.errorConnectToServer": "Документът не може да бъде запасен. Моля, проверете настройките за връзка или се свържете с администратора си.
    Когато щракнете върху бутона 'OK', ще бъдете подканени да изтеглите документа.

    Намерете повече информация за свързването на сървър за документи тук", "SSE.Controllers.Main.errorCopyMultiselectArea": "Тази команда не може да се използва с многократни селекции.
    Изберете единичен обхват и опитайте отново.", "SSE.Controllers.Main.errorCountArg": "Грешка в въведената формула.
    Използва се неправилен брой аргументи.", "SSE.Controllers.Main.errorCountArgExceed": "Грешка във въведената формула.
    Брой аргументи е надвишен.", @@ -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 444e46b87..03bf56c59 100644 --- a/apps/spreadsheeteditor/mobile/locale/cs.json +++ b/apps/spreadsheeteditor/mobile/locale/cs.json @@ -114,7 +114,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operaci nelze provést, protože oblast obsahuje filtrované buňky.
    Prosím, odkryjte filtrované prvky a zkuste to znovu.", "SSE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávná", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Spojení se serverem ztraceno. Dokument nyní nelze upravovat.", - "SSE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím zkontrolujte nastavení připojení nebo kontaktujte administrátora.
    Po kliknutí na tlačítko \"OK\", budete vyzváni ke stažení dokumentu.

    Více informací o připojení k dokumentovému serveru naleznete na here", + "SSE.Controllers.Main.errorConnectToServer": "Dokument nelze uložit. Prosím, zkontrolujte nastavení vašeho připojení nebo kontaktujte vašeho administrátora.
    Při kliknutí na tlačítko \"OK\" budete vyzváni ke stažení dokumentu.

    Více informací o připojení najdete v Dokumentovém serveru here", "SSE.Controllers.Main.errorCopyMultiselectArea": "Tento příkaz nelze použít s více výběry.
    Vyberte jeden z rozsahů a zkuste to znovu.", "SSE.Controllers.Main.errorCountArg": "Chyba v zadaném vzorci.
    Použitý neprávný počet argumentů.", "SSE.Controllers.Main.errorCountArgExceed": "Chyba v zadaném vzorci.
    Překročen počet argumentů.", @@ -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 ede922e95..e21f6ee2f 100644 --- a/apps/spreadsheeteditor/mobile/locale/de.json +++ b/apps/spreadsheeteditor/mobile/locale/de.json @@ -116,7 +116,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "SSE.Controllers.Main.errorChangeArray": "Sie können einen Teil eines Arrays nicht ändern.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Sie können nicht mehr editieren.", - "SSE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", + "SSE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
    Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.

    Mehr Informationen über die Verbindung zum Dokumentenserver finden Sie hier", "SSE.Controllers.Main.errorCopyMultiselectArea": "Dieser Befehl kann nicht bei Mehrfachauswahl verwendet werden
    Wählen Sie nur einen einzelnen Bereich aus, und versuchen Sie es nochmal.", "SSE.Controllers.Main.errorCountArg": "Die eingegebene Formel enthält einen Fehler.
    Es wurde falsche Anzahl an Argumenten benutzt.", "SSE.Controllers.Main.errorCountArgExceed": "Die eingegebene Formel enthält einen Fehler.
    Anzahl der Argumente wurde überschritten.", @@ -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 1b6cc3d52..34b803416 100644 --- a/apps/spreadsheeteditor/mobile/locale/en.json +++ b/apps/spreadsheeteditor/mobile/locale/en.json @@ -1,8 +1,14 @@ { + "Common.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", "Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors", "Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Back", + "Common.Views.Collaboration.textCollaboration": "Collaboration", + "Common.Views.Collaboration.textEditUsers": "Users", + "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", @@ -16,7 +22,6 @@ "SSE.Controllers.AddLink.txtNotUrl": "This field should be a URL in the format 'http://www.example.com'", "SSE.Controllers.AddOther.textEmptyImgUrl": "You need to specify image URL.", "SSE.Controllers.AddOther.txtNotUrl": "This field should be a URL in the format 'http://www.example.com'", - "del_SSE.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", "SSE.Controllers.DocumentHolder.menuAddLink": "Add Link", "SSE.Controllers.DocumentHolder.menuCell": "Cell", "SSE.Controllers.DocumentHolder.menuCopy": "Copy", @@ -304,7 +309,6 @@ "SSE.Controllers.Toolbar.dlgLeaveTitleText": "You leave the application", "SSE.Controllers.Toolbar.leaveButtonText": "Leave this Page", "SSE.Controllers.Toolbar.stayButtonText": "Stay on this Page", - "Common.Controllers.Collaboration.textEditUser": "Document is currently being edited by several users.", "SSE.Views.AddFunction.sCatDateAndTime": "Date and time", "SSE.Views.AddFunction.sCatEngineering": "Engineering", "SSE.Views.AddFunction.sCatFinancial": "Financial", @@ -327,6 +331,7 @@ "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.AddOther.textAddress": "Address", @@ -339,10 +344,6 @@ "SSE.Views.AddOther.textInsertImage": "Insert Image", "SSE.Views.AddOther.textLink": "Link", "SSE.Views.AddOther.textSort": "Sort and Filter", - "del_SSE.Views.Collaboration.textBack": "Back", - "del_SSE.Views.Collaboration.textCollaboration": "Collaboration", - "del_SSE.Views.Collaboration.textEditUsers": "Users", - "del_SSE.Views.Collaboration.textСomments": "Сomments", "SSE.Views.EditCell.textAccounting": "Accounting", "SSE.Views.EditCell.textAlignBottom": "Align Bottom", "SSE.Views.EditCell.textAlignCenter": "Align Center", @@ -514,8 +515,10 @@ "SSE.Views.Search.textSheet": "Sheet", "SSE.Views.Search.textValues": "Values", "SSE.Views.Search.textWorkbook": "Workbook", + "SSE.Views.Settings. textLocation": "Location", "SSE.Views.Settings.textAbout": "About", "SSE.Views.Settings.textAddress": "address", + "SSE.Views.Settings.textApplication": "Application", "SSE.Views.Settings.textApplicationSettings": "Application Settings", "SSE.Views.Settings.textAuthor": "Author", "SSE.Views.Settings.textBack": "Back", @@ -523,9 +526,14 @@ "SSE.Views.Settings.textCentimeter": "Centimeter", "SSE.Views.Settings.textCollaboration": "Collaboration", "SSE.Views.Settings.textColorSchemes": "Color Schemes", + "SSE.Views.Settings.textComment": "Comment", + "SSE.Views.Settings.textCommentingDisplay": "Commenting Display", + "SSE.Views.Settings.textCreated": "Created", "SSE.Views.Settings.textCreateDate": "Creation date", "SSE.Views.Settings.textCustom": "Custom", "SSE.Views.Settings.textCustomSize": "Custom Size", + "SSE.Views.Settings.textDisplayComments": "Comments", + "SSE.Views.Settings.textDisplayResolvedComments": "Resolved Comments", "SSE.Views.Settings.textDocInfo": "Spreadsheet Info", "SSE.Views.Settings.textDocTitle": "Spreadsheet title", "SSE.Views.Settings.textDone": "Done", @@ -543,10 +551,13 @@ "SSE.Views.Settings.textHideHeadings": "Hide Headings", "SSE.Views.Settings.textInch": "Inch", "SSE.Views.Settings.textLandscape": "Landscape", + "SSE.Views.Settings.textLastModified": "Last Modified", + "SSE.Views.Settings.textLastModifiedBy": "Last Modified By", "SSE.Views.Settings.textLeft": "Left", "SSE.Views.Settings.textLoading": "Loading...", "SSE.Views.Settings.textMargins": "Margins", "SSE.Views.Settings.textOrientation": "Orientation", + "SSE.Views.Settings.textOwner": "Owner", "SSE.Views.Settings.textPoint": "Point", "SSE.Views.Settings.textPortrait": "Portrait", "SSE.Views.Settings.textPoweredBy": "Powered by", @@ -557,27 +568,13 @@ "SSE.Views.Settings.textSettings": "Settings", "SSE.Views.Settings.textSpreadsheetFormats": "Spreadsheet Formats", "SSE.Views.Settings.textSpreadsheetSettings": "Spreadsheet Settings", + "SSE.Views.Settings.textSubject": "Subject", "SSE.Views.Settings.textTel": "tel", + "SSE.Views.Settings.textTitle": "Title", "SSE.Views.Settings.textTop": "Top", "SSE.Views.Settings.textUnitOfMeasurement": "Unit of Measurement", + "SSE.Views.Settings.textUploaded": "Uploaded", "SSE.Views.Settings.textVersion": "Version", "SSE.Views.Settings.unknownText": "Unknown", - "SSE.Views.Settings.textCommentingDisplay": "Commenting Display", - "SSE.Views.Settings.textDisplayComments": "Comments", - "SSE.Views.Settings.textDisplayResolvedComments": "Resolved Comments", - "SSE.Views.Settings.textSubject": "Subject", - "SSE.Views.Settings.textTitle": "Title", - "SSE.Views.Settings.textComment": "Comment", - "SSE.Views.Settings.textOwner": "Owner", - "SSE.Views.Settings.textApplication": "Application", - "SSE.Views.Settings.textCreated": "Created", - "SSE.Views.Settings.textLastModified": "Last Modified", - "SSE.Views.Settings.textLastModifiedBy": "Last Modified By", - "SSE.Views.Settings.textUploaded": "Uploaded", - "SSE.Views.Settings. textLocation": "Location", - "SSE.Views.Toolbar.textBack": "Back", - "Common.Views.Collaboration.textBack": "Back", - "Common.Views.Collaboration.textCollaboration": "Collaboration", - "Common.Views.Collaboration.textEditUsers": "Users", - "Common.Views.Collaboration.textСomments": "Сomments" + "SSE.Views.Toolbar.textBack": "Back" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/es.json b/apps/spreadsheeteditor/mobile/locale/es.json index 3988cf8f8..3d8e08eba 100644 --- a/apps/spreadsheeteditor/mobile/locale/es.json +++ b/apps/spreadsheeteditor/mobile/locale/es.json @@ -1,8 +1,13 @@ { + "Common.Controllers.Collaboration.textEditUser": "Actualmente el documento está siendo editado por múltiples usuarios.", "Common.UI.ThemeColorPalette.textStandartColors": "Colores estándar", "Common.UI.ThemeColorPalette.textThemeColors": "Colores de tema", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Atrás", + "Common.Views.Collaboration.textCollaboration": "Colaboración", + "Common.Views.Collaboration.textEditUsers": "Usuarios", + "Common.Views.Collaboration.textСomments": "Comentarios", "SSE.Controllers.AddChart.txtDiagramTitle": "Título de gráfico", "SSE.Controllers.AddChart.txtSeries": "Serie", "SSE.Controllers.AddChart.txtXAxis": "Eje X", @@ -16,7 +21,6 @@ "SSE.Controllers.AddLink.txtNotUrl": "Este campo debe ser una dirección URL en el formato 'http://www.example.com'", "SSE.Controllers.AddOther.textEmptyImgUrl": "Hay que especificar URL de imagen", "SSE.Controllers.AddOther.txtNotUrl": "Este campo debe ser una dirección URL en el formato 'http://www.example.com'", - "Common.Controllers.Collaboration.textEditUser": "Actualmente el documento está siendo editado por múltiples usuarios.", "SSE.Controllers.DocumentHolder.menuAddLink": "Añadir enlace ", "SSE.Controllers.DocumentHolder.menuCell": "Celda", "SSE.Controllers.DocumentHolder.menuCopy": "Copiar ", @@ -123,7 +127,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto", "SSE.Controllers.Main.errorChangeArray": "No se puede cambiar parte de una matriz.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Se ha perdido la conexión con servidor. No se puede editar el documento ahora.", - "SSE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de la conexión o póngase en contacto con su administrador.
    Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.

    Encuentre más información acerca de conexión de Servidor de Documentos aquí", + "SSE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de conexión o póngase en contacto con su administrador.
    Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.

    Encuentre más información acerca de la conexión de Servidor de Documentos aquí", "SSE.Controllers.Main.errorCopyMultiselectArea": "No se puede usar este comando con varias selecciones.
    Seleccione un solo rango y intente de nuevo.", "SSE.Controllers.Main.errorCountArg": "Hay un error en la fórmula introducida.
    Se usa un número de argumentos incorrecto.", "SSE.Controllers.Main.errorCountArgExceed": "Un error en la fórmula introducida.
    Número de argumentos es excedido.", @@ -276,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", @@ -338,10 +342,6 @@ "SSE.Views.AddOther.textInsertImage": "Insertar imagen", "SSE.Views.AddOther.textLink": "Enlace", "SSE.Views.AddOther.textSort": "Ordenar y filtrar", - "Common.Views.Collaboration.textBack": "Atrás", - "Common.Views.Collaboration.textCollaboration": "Colaboración", - "Common.Views.Collaboration.textEditUsers": "Usuarios", - "Common.Views.Collaboration.textСomments": "Comentarios", "SSE.Views.EditCell.textAccounting": "Contabilidad", "SSE.Views.EditCell.textAlignBottom": "Alinear en la parte inferior", "SSE.Views.EditCell.textAlignCenter": "Alinear al centro", diff --git a/apps/spreadsheeteditor/mobile/locale/fr.json b/apps/spreadsheeteditor/mobile/locale/fr.json index 4029a22dd..4532bcfbf 100644 --- a/apps/spreadsheeteditor/mobile/locale/fr.json +++ b/apps/spreadsheeteditor/mobile/locale/fr.json @@ -1,8 +1,13 @@ { + "Common.Controllers.Collaboration.textEditUser": "Le document est en cours de modification par plusieurs utilisateurs", "Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard", "Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Retour", + "Common.Views.Collaboration.textCollaboration": "Collaboration", + "Common.Views.Collaboration.textEditUsers": "Utilisateurs", + "Common.Views.Collaboration.textСomments": "Commentaires", "SSE.Controllers.AddChart.txtDiagramTitle": "Titre du graphique", "SSE.Controllers.AddChart.txtSeries": "Série", "SSE.Controllers.AddChart.txtXAxis": "Axe X", @@ -16,7 +21,6 @@ "SSE.Controllers.AddLink.txtNotUrl": "Ce champ doit être une URL au format 'http://www.example.com'", "SSE.Controllers.AddOther.textEmptyImgUrl": "Spécifiez l'URL de l'image", "SSE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL au format 'http://www.example.com'", - "Common.Controllers.Collaboration.textEditUser": "Le document est en cours de modification par plusieurs utilisateurs", "SSE.Controllers.DocumentHolder.menuAddLink": "Ajouter le lien", "SSE.Controllers.DocumentHolder.menuCell": "Cellule", "SSE.Controllers.DocumentHolder.menuCopy": "Copier", @@ -123,7 +127,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "L'URL d'image est incorrecte", "SSE.Controllers.Main.errorChangeArray": "Vous ne pouvez pas modifier des parties d'une tableau. ", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.", - "SSE.Controllers.Main.errorConnectToServer": "Le document n'a pas pu être enregistré. Veuillez vérifier les paramètres de connexion ou contactez votre administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion de Document Serverici", + "SSE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
    Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.

    Trouvez plus d'informations sur la connexion au Serveur de Documents ici", "SSE.Controllers.Main.errorCopyMultiselectArea": "Impossible d'exécuter cette commande sur des sélections multiples.
    Sélectionnez une seule plage et essayez à nouveau.", "SSE.Controllers.Main.errorCountArg": "Une erreur dans la formule entrée.
    Le nombre d'arguments utilisé est incorrect.", "SSE.Controllers.Main.errorCountArgExceed": "Une erreur dans la formule entrée.
    Le nombre d'arguments est dépassé.", @@ -276,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", @@ -338,10 +342,6 @@ "SSE.Views.AddOther.textInsertImage": "Insérer une image", "SSE.Views.AddOther.textLink": "Lien", "SSE.Views.AddOther.textSort": "Trier et filtrer", - "Common.Views.Collaboration.textBack": "Retour", - "Common.Views.Collaboration.textCollaboration": "Collaboration", - "Common.Views.Collaboration.textEditUsers": "Utilisateurs", - "Common.Views.Collaboration.textСomments": "Commentaires", "SSE.Views.EditCell.textAccounting": "Comptabilité", "SSE.Views.EditCell.textAlignBottom": "Aligner en bas", "SSE.Views.EditCell.textAlignCenter": "Aligner au centre", diff --git a/apps/spreadsheeteditor/mobile/locale/hu.json b/apps/spreadsheeteditor/mobile/locale/hu.json index 739088f84..774aed6f3 100644 --- a/apps/spreadsheeteditor/mobile/locale/hu.json +++ b/apps/spreadsheeteditor/mobile/locale/hu.json @@ -1,8 +1,13 @@ { + "Common.Controllers.Collaboration.textEditUser": "A dokumentumot jelenleg több felhasználó szerkeszti.", "Common.UI.ThemeColorPalette.textStandartColors": "Sztenderd színek", "Common.UI.ThemeColorPalette.textThemeColors": "Téma színek", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textBack": "Vissza", + "Common.Views.Collaboration.textCollaboration": "Együttműködés", + "Common.Views.Collaboration.textEditUsers": "Felhasználók", + "Common.Views.Collaboration.textСomments": "Hozzászólások", "SSE.Controllers.AddChart.txtDiagramTitle": "Diagram címe", "SSE.Controllers.AddChart.txtSeries": "Sorozatok", "SSE.Controllers.AddChart.txtXAxis": "X tengely", @@ -16,7 +21,6 @@ "SSE.Controllers.AddLink.txtNotUrl": "A mező URL-címének a 'http://www.example.com' formátumban kell lennie", "SSE.Controllers.AddOther.textEmptyImgUrl": "Meg kell adni a kép URL linkjét.", "SSE.Controllers.AddOther.txtNotUrl": "A mező URL-címének a 'http://www.example.com' formátumban kell lennie", - "Common.Controllers.Collaboration.textEditUser": "A dokumentumot jelenleg több felhasználó szerkeszti.", "SSE.Controllers.DocumentHolder.menuAddLink": "Link hozzáadása", "SSE.Controllers.DocumentHolder.menuCell": "Cella", "SSE.Controllers.DocumentHolder.menuCopy": "Másol", @@ -274,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", @@ -336,10 +340,6 @@ "SSE.Views.AddOther.textInsertImage": "Kép beszúrása", "SSE.Views.AddOther.textLink": "Link", "SSE.Views.AddOther.textSort": "Rendezés és szűrés", - "Common.Views.Collaboration.textBack": "Vissza", - "Common.Views.Collaboration.textCollaboration": "Együttműködés", - "Common.Views.Collaboration.textEditUsers": "Felhasználók", - "Common.Views.Collaboration.textСomments": "Hozzászólások", "SSE.Views.EditCell.textAccounting": "Könyvelés", "SSE.Views.EditCell.textAlignBottom": "Alulra rendez", "SSE.Views.EditCell.textAlignCenter": "Középre rendez", diff --git a/apps/spreadsheeteditor/mobile/locale/it.json b/apps/spreadsheeteditor/mobile/locale/it.json index ed265af69..edb99ee43 100644 --- a/apps/spreadsheeteditor/mobile/locale/it.json +++ b/apps/spreadsheeteditor/mobile/locale/it.json @@ -1,8 +1,14 @@ { + "Common.Controllers.Collaboration.textEditUser": "È in corso la modifica del documento da parte di più utenti.", "Common.UI.ThemeColorPalette.textStandartColors": "Colori standard", "Common.UI.ThemeColorPalette.textThemeColors": "Colori del tema", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "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", "SSE.Controllers.AddChart.txtXAxis": "Asse X", @@ -16,7 +22,6 @@ "SSE.Controllers.AddLink.txtNotUrl": "Questo campo deve essere un URL nel formato 'http://www.example.com'", "SSE.Controllers.AddOther.textEmptyImgUrl": "Specifica URL immagine.", "SSE.Controllers.AddOther.txtNotUrl": "Questo campo deve essere un URL nel formato 'http://www.example.com'", - "Common.Controllers.Collaboration.textEditUser": "È in corso la modifica del documento da parte di più utenti.", "SSE.Controllers.DocumentHolder.menuAddLink": "Aggiungi collegamento", "SSE.Controllers.DocumentHolder.menuCell": "Cella", "SSE.Controllers.DocumentHolder.menuCopy": "Copia", @@ -123,7 +128,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "URL dell'immagine errato", "SSE.Controllers.Main.errorChangeArray": "Non è possibile modificare parte di un array.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Connessione al server persa. Impossibile modificare il documento.", - "SSE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", + "SSE.Controllers.Main.errorConnectToServer": "Il documento non può essere salvato. Controllare le impostazioni di rete o contatta l'Amministratore.
    Quando clicchi 'OK' Ti verrà richiesto di scaricare il documento.

    Per maggiori dettagli sulla connessione al Document Server clicca qui", "SSE.Controllers.Main.errorCopyMultiselectArea": "Questo comando non può essere applicato a selezioni multiple.
    Seleziona un intervallo singolo e riprova.", "SSE.Controllers.Main.errorCountArg": "Un errore nella formula inserita.
    E' stato utilizzato un numero di argomento scorretto.", "SSE.Controllers.Main.errorCountArgExceed": "Un errore nella formula inserita.
    E' stato superato il numero di argomenti.", @@ -276,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", @@ -326,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", @@ -338,10 +344,6 @@ "SSE.Views.AddOther.textInsertImage": "Inserisci immagine", "SSE.Views.AddOther.textLink": "Collegamento", "SSE.Views.AddOther.textSort": "Ordina e filtra", - "Common.Views.Collaboration.textBack": "Indietro", - "Common.Views.Collaboration.textCollaboration": "Collaborazione", - "Common.Views.Collaboration.textEditUsers": "Utenti", - "Common.Views.Collaboration.textСomments": "Сommenti", "SSE.Views.EditCell.textAccounting": "Contabilità", "SSE.Views.EditCell.textAlignBottom": "Allinea in basso", "SSE.Views.EditCell.textAlignCenter": "Allinea al centro", @@ -513,8 +515,10 @@ "SSE.Views.Search.textSheet": "Foglio", "SSE.Views.Search.textValues": "Valori", "SSE.Views.Search.textWorkbook": "Cartella di lavoro", + "SSE.Views.Settings. textLocation": "Percorso", "SSE.Views.Settings.textAbout": "Informazioni su", "SSE.Views.Settings.textAddress": "Indirizzo", + "SSE.Views.Settings.textApplication": "Applicazione", "SSE.Views.Settings.textApplicationSettings": "Impostazioni Applicazione", "SSE.Views.Settings.textAuthor": "Autore", "SSE.Views.Settings.textBack": "Indietro", @@ -522,9 +526,14 @@ "SSE.Views.Settings.textCentimeter": "Centimetro", "SSE.Views.Settings.textCollaboration": "Collaborazione", "SSE.Views.Settings.textColorSchemes": "Schemi di colore", + "SSE.Views.Settings.textComment": "Commento", + "SSE.Views.Settings.textCommentingDisplay": "Visualizzazione dei Commenti", + "SSE.Views.Settings.textCreated": "Creato", "SSE.Views.Settings.textCreateDate": "Data di creazione", "SSE.Views.Settings.textCustom": "Personalizzato", "SSE.Views.Settings.textCustomSize": "Dimensione personalizzata", + "SSE.Views.Settings.textDisplayComments": "Commenti", + "SSE.Views.Settings.textDisplayResolvedComments": "Commenti risolti", "SSE.Views.Settings.textDocInfo": "Informazioni del Foglio di calcolo", "SSE.Views.Settings.textDocTitle": "Titolo foglio elettronico", "SSE.Views.Settings.textDone": "Fatto", @@ -542,10 +551,13 @@ "SSE.Views.Settings.textHideHeadings": "Nascondi titoli", "SSE.Views.Settings.textInch": "Pollice", "SSE.Views.Settings.textLandscape": "Orizzontale", + "SSE.Views.Settings.textLastModified": "Ultima modifica", + "SSE.Views.Settings.textLastModifiedBy": "Ultima modifica di", "SSE.Views.Settings.textLeft": "A sinistra", "SSE.Views.Settings.textLoading": "Caricamento in corso...", "SSE.Views.Settings.textMargins": "Margini", "SSE.Views.Settings.textOrientation": "Orientamento", + "SSE.Views.Settings.textOwner": "Proprietario", "SSE.Views.Settings.textPoint": "Punto", "SSE.Views.Settings.textPortrait": "Verticale", "SSE.Views.Settings.textPoweredBy": "Con tecnologia", @@ -556,9 +568,12 @@ "SSE.Views.Settings.textSettings": "Impostazioni", "SSE.Views.Settings.textSpreadsheetFormats": "Formati foglio di calcolo", "SSE.Views.Settings.textSpreadsheetSettings": "Impostazioni foglio di calcolo", + "SSE.Views.Settings.textSubject": "Oggetto", "SSE.Views.Settings.textTel": "Tel.", + "SSE.Views.Settings.textTitle": "Titolo", "SSE.Views.Settings.textTop": "In alto", "SSE.Views.Settings.textUnitOfMeasurement": "Unità di misura", + "SSE.Views.Settings.textUploaded": "Caricato", "SSE.Views.Settings.textVersion": "Versione", "SSE.Views.Settings.unknownText": "Sconosciuto", "SSE.Views.Toolbar.textBack": "Indietro" diff --git a/apps/spreadsheeteditor/mobile/locale/ko.json b/apps/spreadsheeteditor/mobile/locale/ko.json index b9a60a62e..ea976c3ab 100644 --- a/apps/spreadsheeteditor/mobile/locale/ko.json +++ b/apps/spreadsheeteditor/mobile/locale/ko.json @@ -114,7 +114,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "영역에 필터링 된 셀이 포함되어있어 작업을 수행 할 수 없습니다.
    필터링 된 요소를 숨김 해제하고 다시 시도하십시오.", "SSE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "서버 연결이 끊어졌습니다. 문서를 지금 편집 할 수 없습니다.", - "SSE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", + "SSE.Controllers.Main.errorConnectToServer": "문서를 저장할 수 없습니다. 연결 설정을 확인하거나 관리자에게 문의하십시오.
    '확인'버튼을 클릭하면 문서를 다운로드하라는 메시지가 나타납니다.

    Document Server 연결에 대한 추가 정보 찾기 여기 ", "SSE.Controllers.Main.errorCopyMultiselectArea": "이 명령은 여러 선택 항목과 함께 사용할 수 없습니다.
    단일 범위를 선택하고 다시 시도하십시오.", "SSE.Controllers.Main.errorCountArg": "입력 된 수식에 오류가 있습니다.
    잘못된 수의 인수가 사용되었습니다.", "SSE.Controllers.Main.errorCountArgExceed": "입력 된 수식에 오류가 있습니다.
    인수 수가 초과되었습니다.", @@ -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 2cc5f5237..e78e85447 100644 --- a/apps/spreadsheeteditor/mobile/locale/lv.json +++ b/apps/spreadsheeteditor/mobile/locale/lv.json @@ -114,7 +114,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Darbību nevar veikt, jo apgabals satur filtrētas šūnas.
    Lūdzu, parādiet filtrētos elementus, un mēģiniet vēlreiz.", "SSE.Controllers.Main.errorBadImageUrl": "Nav pareizs attēla URL", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Pazaudēts servera savienojums. Šobrīd dokumentu nevar rediģēt.", - "SSE.Controllers.Main.errorConnectToServer": "Dokumentu nevarēja saglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot OK, jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk informācijas par Dokumentu servera pievienošanu šeit", + "SSE.Controllers.Main.errorConnectToServer": "Dokumentu neizdevās noglabāt. Lūdzu, pārbaudiet savienojuma uzstādījumus vai sazinieties ar savu administratoru.
    Nospiežot \"OK\", jūs varēsit lejupielādēt dokumentu.

    Uzziniet vairāk par dokumentu servera pieslēgšanu šeit", "SSE.Controllers.Main.errorCopyMultiselectArea": "Šo komandu nevar izmantot nesaistītiem diapazoniem.
    Izvēlieties vienu diapazonu un mēģiniet vēlreiz.", "SSE.Controllers.Main.errorCountArg": "Kļūda ievadītā formulā.
    Ir izmantots nepareizs argumentu skaits.", "SSE.Controllers.Main.errorCountArgExceed": "Kļūda ievadītā formulā.
    Ir pārsniegts argumentu skaits.", @@ -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 07de8ded0..5d99ff0f0 100644 --- a/apps/spreadsheeteditor/mobile/locale/nl.json +++ b/apps/spreadsheeteditor/mobile/locale/nl.json @@ -115,7 +115,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "De bewerking kan niet worden uitgevoerd omdat het gebied gefilterde cellen bevat.
    Maak het verbergen van de gefilterde elementen ongedaan en probeer het opnieuw.", "SSE.Controllers.Main.errorBadImageUrl": "URL afbeelding is onjuist", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Verbinding met server is verbroken. Het document kan op dit moment niet worden bewerkt.", - "SSE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd om het document te downloaden.

    Meer informatie over de verbinding met een documentserver is hier te vinden.", + "SSE.Controllers.Main.errorConnectToServer": "Het document kan niet worden opgeslagen. Controleer de verbindingsinstellingen of neem contact op met de beheerder.
    Wanneer u op de knop 'OK' klikt, wordt u gevraagd het document te downloaden.

    Meer informatie over verbindingen met de documentserver is hier te vinden.", "SSE.Controllers.Main.errorCopyMultiselectArea": "Deze opdracht kan niet worden uitgevoerd op meerdere selecties.
    Selecteer één bereik en probeer het opnieuw.", "SSE.Controllers.Main.errorCountArg": "De ingevoerde formule bevat een fout.
    Onjuist aantal argumenten gebruikt.", "SSE.Controllers.Main.errorCountArgExceed": "De ingevoerde formule bevat een fout.
    Aantal argumenten overschreden.", @@ -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 9b83ea7f2..f6f840a3d 100644 --- a/apps/spreadsheeteditor/mobile/locale/pl.json +++ b/apps/spreadsheeteditor/mobile/locale/pl.json @@ -3,6 +3,7 @@ "Common.UI.ThemeColorPalette.textThemeColors": "Kolory motywu", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textCollaboration": "Współpraca", "SSE.Controllers.AddChart.txtDiagramTitle": "Tytuł wykresu", "SSE.Controllers.AddChart.txtSeries": "Serie", "SSE.Controllers.AddChart.txtXAxis": "Oś X", @@ -114,7 +115,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operacja nie może zostać wykonana, ponieważ obszar zawiera filtrowane komórki.
    Proszę ukryj filtrowane elementy i spróbuj ponownie.", "SSE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Połączenie z serwerem zostało utracone. Nie można teraz edytować dokumentu.", - "SSE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", + "SSE.Controllers.Main.errorConnectToServer": "Nie można zapisać dokumentu. Sprawdź ustawienia połączenia lub skontaktuj się z administratorem.
    Po kliknięciu przycisku \"OK\" zostanie wyświetlony monit o pobranie dokumentu.

    Dowiedz się więcej o połączeniu serwera dokumentów tutaj", "SSE.Controllers.Main.errorCopyMultiselectArea": "To polecenie nie może być użyte z wieloma wyborami.
    Wybierz jeden zakres i spróbuj ponownie.", "SSE.Controllers.Main.errorCountArg": "Wprowadzona formuła jest błędna.
    Niepoprawna ilość argumentów.", "SSE.Controllers.Main.errorCountArgExceed": "Wprowadzona formuła jest błędna.
    Przekroczono liczbę argumentów.", @@ -255,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", @@ -466,6 +467,7 @@ "SSE.Views.Settings.textAddress": "Adres", "SSE.Views.Settings.textAuthor": "Autor", "SSE.Views.Settings.textBack": "Powrót", + "SSE.Views.Settings.textCollaboration": "Współpraca", "SSE.Views.Settings.textCreateDate": "Data utworzenia", "SSE.Views.Settings.textDocInfo": "Informacje o arkuszu kalkulacyjnym", "SSE.Views.Settings.textDocTitle": "Tytuł arkusza kalkulacyjnego", diff --git a/apps/spreadsheeteditor/mobile/locale/pt.json b/apps/spreadsheeteditor/mobile/locale/pt.json index 6fe727cab..e2e3adf7a 100644 --- a/apps/spreadsheeteditor/mobile/locale/pt.json +++ b/apps/spreadsheeteditor/mobile/locale/pt.json @@ -114,7 +114,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "A operação não pode ser realizada por que a área contém células filtrads.
    Torne visíveis os elementos fritados e tente novamente.", "SSE.Controllers.Main.errorBadImageUrl": "URL da imagem está incorreta", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", - "SSE.Controllers.Main.errorConnectToServer": "O documento não pode ser salvo. Verifique as configurações de conexão ou entre em contato com o seu administrador.
    Quando você no botão \"OK\", poderá baixar o documento.

    Encontre mais informações sobre conectar o Document Server aqui", + "SSE.Controllers.Main.errorConnectToServer": "O documento não pôde ser salvo. Verifique as configurações de conexão ou entre em contato com o administrador.
    Quando você clicar no botão 'OK', você será solicitado à fazer o download do documento.

    Encontre mais informações sobre como conecta ao Document Server aqui", "SSE.Controllers.Main.errorCopyMultiselectArea": "Este comando não pode ser usado com várias seleções.
    Selecione um intervalo único e tente novamente.", "SSE.Controllers.Main.errorCountArg": "Um erro na fórmula inserida.
    Número incorreto de argumentos está sendo usado.", "SSE.Controllers.Main.errorCountArgExceed": "Um erro na fórmula inserida.
    Número de argumentos foi excedido.", @@ -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 4dad55656..8629d8e77 100644 --- a/apps/spreadsheeteditor/mobile/locale/ru.json +++ b/apps/spreadsheeteditor/mobile/locale/ru.json @@ -1,8 +1,14 @@ { + "Common.Controllers.Collaboration.textEditUser": "Документ редактируется несколькими пользователями.", "Common.UI.ThemeColorPalette.textStandartColors": "Стандартные цвета", "Common.UI.ThemeColorPalette.textThemeColors": "Цвета темы", "Common.Utils.Metric.txtCm": "см", "Common.Utils.Metric.txtPt": "пт", + "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": "Ряд", "SSE.Controllers.AddChart.txtXAxis": "Ось X", @@ -16,7 +22,6 @@ "SSE.Controllers.AddLink.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", "SSE.Controllers.AddOther.textEmptyImgUrl": "Необходимо указать URL изображения.", "SSE.Controllers.AddOther.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", - "Common.Controllers.Collaboration.textEditUser": "Документ редактируется несколькими пользователями.", "SSE.Controllers.DocumentHolder.menuAddLink": "Добавить ссылку", "SSE.Controllers.DocumentHolder.menuCell": "Ячейка", "SSE.Controllers.DocumentHolder.menuCopy": "Копировать", @@ -276,7 +281,7 @@ "SSE.Controllers.Main.warnLicenseExceeded": "Превышено допустимое число одновременных подключений к серверу документов, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", "SSE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.
    Обновите лицензию, а затем обновите страницу.", "SSE.Controllers.Main.warnLicenseUsersExceeded": "Превышено допустимое число одновременно работающих пользователей, и документ откроется только на просмотр.
    Обратитесь к администратору за дополнительной информацией.", - "SSE.Controllers.Main.warnNoLicense": "Эта версия редакторов ONLYOFFICE имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", + "SSE.Controllers.Main.warnNoLicense": "Эта версия редакторов %1 имеет некоторые ограничения по количеству одновременных подключений к серверу документов.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "SSE.Controllers.Main.warnNoLicenseUsers": "Эта версия редакторов %1 имеет некоторые ограничения по числу одновременно работающих пользователей.
    Если требуется больше, рассмотрите вопрос о покупке коммерческой лицензии.", "SSE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", "SSE.Controllers.Search.textNoTextFound": "Текст не найден", @@ -326,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": "Адрес", @@ -338,10 +344,6 @@ "SSE.Views.AddOther.textInsertImage": "Вставить изображение", "SSE.Views.AddOther.textLink": "Ссылка", "SSE.Views.AddOther.textSort": "Сортировка и фильтрация", - "Common.Views.Collaboration.textBack": "Назад", - "Common.Views.Collaboration.textCollaboration": "Совместная работа", - "Common.Views.Collaboration.textEditUsers": "Пользователи", - "Common.Views.Collaboration.textСomments": "Комментарии", "SSE.Views.EditCell.textAccounting": "Финансовый", "SSE.Views.EditCell.textAlignBottom": "По нижнему краю", "SSE.Views.EditCell.textAlignCenter": "По центру", @@ -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 4344b08ce..032cfb487 100644 --- a/apps/spreadsheeteditor/mobile/locale/sk.json +++ b/apps/spreadsheeteditor/mobile/locale/sk.json @@ -115,7 +115,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operáciu nemožno vykonať, pretože oblasť obsahuje filtrované bunky.
    Odkryte filtrované prvky a skúste to znova.", "SSE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", - "SSE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", + "SSE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.

    Viac informácií o pripojení dokumentového servera nájdete tu", "SSE.Controllers.Main.errorCopyMultiselectArea": "Tento príkaz sa nedá použiť s viacerými výbermi.
    Vyberte jeden rozsah a skúste to znova.", "SSE.Controllers.Main.errorCountArg": "Chyba v zadanom vzorci.
    Používa sa nesprávny počet argumentov.", "SSE.Controllers.Main.errorCountArgExceed": "Chyba v zadanom vzorci.
    Počet argumentov je prekročený.", @@ -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 c529f5bc5..b8d077bd9 100644 --- a/apps/spreadsheeteditor/mobile/locale/tr.json +++ b/apps/spreadsheeteditor/mobile/locale/tr.json @@ -114,7 +114,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "İşlem yapılamıyor çünkü alanda filtreli hücrelet mevcut.
    Lütfen filtreli elemanların gizliliğini kaldırın ve tekrar deneyin.", "SSE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Belge şu an düzenlenemez.", - "SSE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen bağlantı ayarlarınızı kontrol edin veya yöneticinizle irtibata geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirmek isteyip istemediğiniz sorulacaktır.

    Belge Sunucusu'na bağlanmak hakkında daha fazla bilgi almak için buraya tıklayın", + "SSE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
    'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.

    Belge Sunucusuna bağlanma konusunda daha fazla bilgi için buraya tıklayın", "SSE.Controllers.Main.errorCopyMultiselectArea": "Bu komut çoklu seçimlerle kullanılamaz.
    Tek bir aralık seçin ve tekrar deneyin.", "SSE.Controllers.Main.errorCountArg": "Girilen formülde hata oluştu.
    Yanlış argüman sayısı kullanıldı.", "SSE.Controllers.Main.errorCountArgExceed": "Girilen formülde hata oluştu.
    Argüman sayısı aşıldı.", @@ -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 b5243a353..2c1aeb902 100644 --- a/apps/spreadsheeteditor/mobile/locale/uk.json +++ b/apps/spreadsheeteditor/mobile/locale/uk.json @@ -114,7 +114,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Операція не може бути виконана, оскільки область містить фільтрувані клітинки.
    Будь ласка, відобразіть фільтрувані елементи та повторіть спробу.", "SSE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.", - "SSE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів тут ", + "SSE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.

    Більше інформації про підключення сервера документів
    тут", "SSE.Controllers.Main.errorCopyMultiselectArea": "Ця команда не може бути використана з декількома вибору.
    Виберіть один діапазон і спробуйте ще раз.", "SSE.Controllers.Main.errorCountArg": "Помилка введеної формули.
    Використовується невірне число аргументів.", "SSE.Controllers.Main.errorCountArgExceed": "Помилка введеної формули.
    Кількість аргументів перевищено.", @@ -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 ae4997406..83ef043a8 100644 --- a/apps/spreadsheeteditor/mobile/locale/vi.json +++ b/apps/spreadsheeteditor/mobile/locale/vi.json @@ -114,7 +114,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Không thể thực hiện thao tác vì vùng này chứa các ô được lọc.
    Vui lòng bỏ ẩn các phần tử được lọc và thử lại.", "SSE.Controllers.Main.errorBadImageUrl": "URL hình ảnh không chính xác", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Mất kết nối server. Không thể chỉnh sửa tài liệu ngay lúc này.", - "SSE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", + "SSE.Controllers.Main.errorConnectToServer": "Không thể lưu tài liệu. Vui lòng kiểm tra cài đặt kết nối hoặc liên hệ với quản trị viên của bạn.
    Khi bạn nhấp vào nút 'OK', bạn sẽ được nhắc tải xuống tài liệu.

    Tìm thêm thông tin về kết nối Server Tài liệu ở đây", "SSE.Controllers.Main.errorCopyMultiselectArea": "Không thể sử dụng lệnh này với nhiều lựa chọn.
    Chọn một phạm vi và thử lại.", "SSE.Controllers.Main.errorCountArg": "Lỗi trong công thức đã nhập.
    Không dùng đúng số lượng đối số.", "SSE.Controllers.Main.errorCountArgExceed": "Lỗi trong công thức đã nhập.
    Đã vượt quá số lượng đối số.", @@ -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 757b9763b..0b14905a5 100644 --- a/apps/spreadsheeteditor/mobile/locale/zh.json +++ b/apps/spreadsheeteditor/mobile/locale/zh.json @@ -116,7 +116,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "SSE.Controllers.Main.errorChangeArray": "您无法更改部分阵列。", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", - "SSE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器在这里", + "SSE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
    当你点击“OK”按钮,系统将提示您下载文档。

    找到更多信息连接文件服务器
    在这里", "SSE.Controllers.Main.errorCopyMultiselectArea": "该命令不能与多个选择一起使用。
    选择一个范围,然后重试。", "SSE.Controllers.Main.errorCountArg": "一个错误的输入公式。< br >正确使用数量的参数。", "SSE.Controllers.Main.errorCountArgExceed": "一个错误的输入公式。< br >超过数量的参数。", @@ -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": "全部替换", diff --git a/build/Gruntfile.js b/build/Gruntfile.js index 37c317e18..6cf6ff6a0 100644 --- a/build/Gruntfile.js +++ b/build/Gruntfile.js @@ -43,6 +43,9 @@ module.exports = function(grunt) { }, { from: /\{\{APP_TITLE_TEXT\}\}/g, to: process.env['APP_TITLE_TEXT'] || 'ONLYOFFICE' + }, { + from: /\{\{HELP_URL\}\}/g, + to: process.env['HELP_URL'] || 'https://helpcenter.onlyoffice.com' }]; var helpreplacements = [ diff --git a/build/documenteditor.json b/build/documenteditor.json index 50a89586e..0bdc55f0a 100644 --- a/build/documenteditor.json +++ b/build/documenteditor.json @@ -145,6 +145,12 @@ "cwd": "../apps/documenteditor/main/locale/", "src": "*", "dest": "../deploy/web-apps/apps/documenteditor/main/locale/" + }, + { + "expand": true, + "cwd": "../apps/documenteditor/main/resources/watermark", + "src": "*", + "dest": "../deploy/web-apps/apps/documenteditor/main/resources/watermark" } ], "help": [ @@ -389,10 +395,10 @@ "copy": { "localization": [ { - "expand": true, - "cwd": "../apps/documenteditor/embed/locale/", - "src": "*", - "dest": "../deploy/web-apps/apps/documenteditor/embed/locale/" + "expand": true, + "cwd": "../apps/documenteditor/embed/locale/", + "src": "*", + "dest": "../deploy/web-apps/apps/documenteditor/embed/locale/" } ], "index-page": {