diff --git a/apps/api/documents/api.js b/apps/api/documents/api.js index c53692eb1..7a2fba2d3 100644 --- a/apps/api/documents/api.js +++ b/apps/api/documents/api.js @@ -717,6 +717,12 @@ iframe.allowFullscreen = true; iframe.setAttribute("allowfullscreen",""); // for IE11 iframe.setAttribute("onmousewheel",""); // for Safari on Mac + + if (config.type == "mobile") + { + iframe.style.position = "fixed"; + iframe.style.overflow = "hidden"; + } return iframe; } diff --git a/apps/common/main/lib/collection/Plugins.js b/apps/common/main/lib/collection/Plugins.js index 16f491e64..cd943fc31 100644 --- a/apps/common/main/lib/collection/Plugins.js +++ b/apps/common/main/lib/collection/Plugins.js @@ -49,6 +49,10 @@ define([ 'use strict'; Common.Collections.Plugins = Backbone.Collection.extend({ - model: Common.Models.Plugin + model: Common.Models.Plugin, + + hasVisible: function() { + return !!this.findWhere({visible: true}); + } }); }); diff --git a/apps/common/main/lib/component/Mixtbar.js b/apps/common/main/lib/component/Mixtbar.js index 4604dff93..1f238f839 100644 --- a/apps/common/main/lib/component/Mixtbar.js +++ b/apps/common/main/lib/component/Mixtbar.js @@ -226,6 +226,8 @@ define([ if ( $boxTabs.parent().hasClass('short') ) { $boxTabs.parent().removeClass('short'); } + + this.processPanelVisible(); }, onTabClick: function (e) { @@ -243,10 +245,12 @@ define([ me.collapse(); } else { me.setTab(tab); + me.processPanelVisible(null, true); } } else { if ( !$target.hasClass('active') && !islone ) { me.setTab(tab); + me.processPanelVisible(null, true); } } }, @@ -345,6 +349,47 @@ define([ return true; }, + /** + * in case panel partly visible. + * hide button's caption to decrease panel width + * ##adopt-panel-width + **/ + processPanelVisible: function(panel, now) { + var me = this; + if ( me._timer_id ) clearTimeout(me._timer_id); + + function _fc() { + let $active = panel || me.$panels.filter('.active'); + if ( $active && $active.length ) { + var _maxright = $active.parents('.box-controls').width(); + var data = $active.data(), + _rightedge = data.rightedge; + + if ( !_rightedge ) { + _rightedge = $active.get(0).getBoundingClientRect().right; + } + + if ( _rightedge > _maxright ) { + if ( !$active.hasClass('compactwidth') ) { + $active.addClass('compactwidth'); + data.rightedge = _rightedge; + } + } else { + if ($active.hasClass('compactwidth')) { + $active.removeClass('compactwidth'); + } + } + } + }; + + if ( now === true ) _fc(); else + me._timer_id = setTimeout(function() { + delete me._timer_id; + _fc(); + }, 100); + }, + /**/ + setExtra: function (place, el) { if ( !!el ) { if (this.$tabs) { diff --git a/apps/common/main/lib/controller/Plugins.js b/apps/common/main/lib/controller/Plugins.js index b8d34a50a..483c113eb 100644 --- a/apps/common/main/lib/controller/Plugins.js +++ b/apps/common/main/lib/controller/Plugins.js @@ -174,7 +174,7 @@ define([ arr.push(plugin); }); this.api.asc_pluginsRegister('', arr); - if (storePlugins.length>0) + if (storePlugins.hasVisible()) Common.NotificationCenter.trigger('tab:visible', 'plugins', true); }, @@ -292,12 +292,13 @@ define([ this.api.asc_pluginRun(record.get('guid'), 0, ''); }, - onPluginShow: function(plugin, variationIndex, frameId) { + onPluginShow: function(plugin, variationIndex, frameId, urlAddition) { var variation = plugin.get_Variations()[variationIndex]; if (variation.get_Visual()) { var url = variation.get_Url(); url = ((plugin.get_BaseUrl().length == 0) ? url : plugin.get_BaseUrl()) + url; - + if (urlAddition) + url += urlAddition; if (variation.get_InsideMode()) { if (!this.panelPlugins.openInsideMode(plugin.get_Name(), url, frameId)) this.api.asc_pluginButtonClick(-1); @@ -311,7 +312,8 @@ define([ if (_.isArray(arrBtns)) { _.each(arrBtns, function(b, index){ - newBtns[index] = {text: b.text, cls: 'custom' + ((b.primary) ? ' primary' : '')}; + if (b.visible) + newBtns[index] = {text: b.text, cls: 'custom' + ((b.primary) ? ' primary' : '')}; }); } diff --git a/apps/common/main/lib/model/Plugin.js b/apps/common/main/lib/model/Plugin.js index 6456647d1..46b31e418 100644 --- a/apps/common/main/lib/model/Plugin.js +++ b/apps/common/main/lib/model/Plugin.js @@ -56,6 +56,7 @@ define([ index: 0, icons: undefined, isViewer: false, + isDisplayedInViewer: true, EditorsSupport: ["word", "cell", "slide"], isVisual: false, isCustomWindow: false, diff --git a/apps/common/main/lib/view/Header.js b/apps/common/main/lib/view/Header.js index e8111d1cc..8c2ee5cc9 100644 --- a/apps/common/main/lib/view/Header.js +++ b/apps/common/main/lib/view/Header.js @@ -106,6 +106,7 @@ define([ ''; var templateTitleBox = '
' + + '
' + '
' + '
' + '
' + @@ -148,6 +149,8 @@ define([ }; function applyUsers(count, originalCount) { + if (!$btnUsers) return; + var has_edit_users = count > 1 || count > 0 && appConfig && !appConfig.isEdit && !appConfig.isRestrictedEdit; // has other user(s) who edit document if ( has_edit_users ) { $btnUsers diff --git a/apps/common/main/resources/less/header.less b/apps/common/main/resources/less/header.less index d30ba6bc9..783d93551 100644 --- a/apps/common/main/resources/less/header.less +++ b/apps/common/main/resources/less/header.less @@ -147,6 +147,10 @@ &.link img { cursor: pointer; } + + #box-document-title & { + padding: 4px 24px 4px 12px; + } } } diff --git a/apps/common/main/resources/less/language-dialog.less b/apps/common/main/resources/less/language-dialog.less index ab82c66b0..0d05cf1ee 100644 --- a/apps/common/main/resources/less/language-dialog.less +++ b/apps/common/main/resources/less/language-dialog.less @@ -63,7 +63,7 @@ &.sr, &.sr-Cyrl-RS, &.sr-Latn-RS {background-position: -16px -168px;} &.sk, &.sk-SK {background-position: -32px -168px;} &.kk, &.kk-KZ {background-position: 0 -180px;} - &.fi, &.fi-FI {background-position: -16px -180px;} + &.fi, &.fi-FI, &.sv-FI {background-position: -16px -180px;} &.zh, &.zh-CN {background-position: -32px -180px;} &.ja, &.ja-JP {background-position: 0 -192px;} &.es-MX {background-position: -16px -192px;} diff --git a/apps/common/main/resources/less/toolbar.less b/apps/common/main/resources/less/toolbar.less index 9690da191..8ef06f74f 100644 --- a/apps/common/main/resources/less/toolbar.less +++ b/apps/common/main/resources/less/toolbar.less @@ -173,6 +173,22 @@ .panel:not(.active) { display: none; } + + /* ##adopt-panel-width */ + .panel.compactwidth:not(#plugns-panel) { + .btn-group, .btn-toolbar { + &.x-huge { + .caption { + display: none; + } + + .inner-box-caption { + justify-content: center; + } + } + } + } + /**/ } background-color: @gray-light; diff --git a/apps/documenteditor/embed/js/ApplicationController.js b/apps/documenteditor/embed/js/ApplicationController.js index 0ff8adb81..2a269beb3 100644 --- a/apps/documenteditor/embed/js/ApplicationController.js +++ b/apps/documenteditor/embed/js/ApplicationController.js @@ -216,8 +216,6 @@ var ApplicationController = new(function(){ } function onDocumentContentReady() { - Common.Gateway.documentReady(); - hidePreloader(); var zf = (config.customization && config.customization.zoom ? parseInt(config.customization.zoom) : -2); @@ -320,7 +318,7 @@ var ApplicationController = new(function(){ }, 2000); } }); - + Common.Gateway.documentReady(); Common.Analytics.trackEvent('Load', 'Complete'); } @@ -454,6 +452,10 @@ var ApplicationController = new(function(){ } function onDownloadAs() { + if ( permissions.download === false) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, me.errorAccessDeny); + return; + } if (api) api.asc_DownloadAs(Asc.c_oAscFileType.DOCX, true); } @@ -541,6 +543,7 @@ var ApplicationController = new(function(){ criticalErrorTitle : 'Error', notcriticalErrorTitle : 'Warning', scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.', - errorFilePassProtect: 'The file is password protected and cannot be opened.' + errorFilePassProtect: 'The file is password protected and cannot be opened.', + errorAccessDeny: 'You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.' } })(); \ No newline at end of file diff --git a/apps/documenteditor/main/app/controller/Main.js b/apps/documenteditor/main/app/controller/Main.js index bd9399752..999f4001b 100644 --- a/apps/documenteditor/main/app/controller/Main.js +++ b/apps/documenteditor/main/app/controller/Main.js @@ -403,6 +403,11 @@ define([ }, onDownloadAs: function(format) { + if ( !this.appOptions.canDownload && !this.appOptions.canDownloadOrigin) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + this._state.isFromGatewayDownloadAs = true; var type = /^(?:(pdf|djvu|xps))$/.exec(this.document.fileType); if (type && typeof type[1] === 'string') @@ -592,10 +597,10 @@ define([ app.getController('LeftMenu').SetDisabled(disable, true); }, - goBack: function() { + goBack: function(current) { if ( !Common.Controllers.Desktop.process('goback') ) { var href = this.appOptions.customization.goback.url; - if (this.appOptions.customization.goback.blank!==false) { + if (!current && this.appOptions.customization.goback.blank!==false) { window.open(href, "_blank"); } else { parent.location.href = href; @@ -802,8 +807,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) this._state.openDlg.close(); @@ -994,6 +997,7 @@ define([ Common.Gateway.sendInfo({mode:me.appOptions.isEdit?'edit':'view'}); $(document).on('contextmenu', _.bind(me.onContextMenu, me)); + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -1456,7 +1460,7 @@ define([ config.msg += '

' + this.criticalErrorExtText; config.callback = function(btn) { if (btn == 'ok') - Common.NotificationCenter.trigger('goback'); + Common.NotificationCenter.trigger('goback', true); } } if (id == Asc.c_oAscError.ID.DataEncrypted) { @@ -2106,7 +2110,7 @@ define([ var variationsArr = [], pluginVisible = false; item.variations.forEach(function(itemVar){ - var visible = (isEdit || itemVar.isViewer) && _.contains(itemVar.EditorsSupport, 'word'); + var visible = (isEdit || itemVar.isViewer && (itemVar.isDisplayedInViewer!==false)) && _.contains(itemVar.EditorsSupport, 'word'); if ( visible ) pluginVisible = true; if (item.isUICustomizer ) { @@ -2117,11 +2121,18 @@ define([ if (typeof itemVar.descriptionLocale == 'object') description = itemVar.descriptionLocale[lang] || itemVar.descriptionLocale['en'] || description || ''; + _.each(itemVar.buttons, function(b, index){ + if (typeof b.textLocale == 'object') + b.text = b.textLocale[lang] || b.textLocale['en'] || b.text || ''; + b.visible = (isEdit || b.isViewer !== false); + }); + model.set({ description: description, index: variationsArr.length, url: itemVar.url, icons: itemVar.icons, + buttons: itemVar.buttons, visible: visible }); diff --git a/apps/documenteditor/main/app/controller/Toolbar.js b/apps/documenteditor/main/app/controller/Toolbar.js index 0c47d040b..fda331485 100644 --- a/apps/documenteditor/main/app/controller/Toolbar.js +++ b/apps/documenteditor/main/app/controller/Toolbar.js @@ -2777,17 +2777,18 @@ define([ me.toolbar.setMode(config); me.toolbar.btnSave.on('disabled', _.bind(me.onBtnChangeState, me, 'save:disabled')); + + // hide 'print' and 'save' buttons group and next separator + me.toolbar.btnPrint.$el.parents('.group').hide().next().hide(); + + // hide 'undo' and 'redo' buttons and retrieve parent container + var $box = me.toolbar.btnUndo.$el.hide().next().hide().parent(); + + // move 'paste' button to the container instead of 'undo' and 'redo' + me.toolbar.btnPaste.$el.detach().appendTo($box); + me.toolbar.btnCopy.$el.removeClass('split'); + if ( config.isDesktopApp ) { - // hide 'print' and 'save' buttons group and next separator - me.toolbar.btnPrint.$el.parents('.group').hide().next().hide(); - - // hide 'undo' and 'redo' buttons and retrieve parent container - var $box = me.toolbar.btnUndo.$el.hide().next().hide().parent(); - - // move 'paste' button to the container instead of 'undo' and 'redo' - me.toolbar.btnPaste.$el.detach().appendTo($box); - me.toolbar.btnCopy.$el.removeClass('split'); - if ( config.canProtect ) { tab = {action: 'protect', caption: me.toolbar.textTabProtect}; $panel = me.getApplication().getController('Common.Controllers.Protection').createToolbarPanel(); diff --git a/apps/documenteditor/main/app/controller/Viewport.js b/apps/documenteditor/main/app/controller/Viewport.js index cfc77acc8..b6f1028c2 100644 --- a/apps/documenteditor/main/app/controller/Viewport.js +++ b/apps/documenteditor/main/app/controller/Viewport.js @@ -76,7 +76,8 @@ define([ 'render:before' : function (toolbar) { var config = DE.getController('Main').appOptions; toolbar.setExtra('right', me.header.getPanel('right', config)); - toolbar.setExtra('left', me.header.getPanel('left', config)); + if (!config.isEdit) + toolbar.setExtra('left', me.header.getPanel('left', config)); }, 'view:compact' : function (toolbar, state) { me.header.mnuitemCompactToolbar.setChecked(state, true); @@ -161,9 +162,10 @@ define([ if ( panel ) panel.height = _intvars.get('toolbar-height-tabs'); } - if ( config.isDesktopApp && config.isEdit ) { + if ( config.isEdit ) { var $title = me.viewport.vlayout.getItem('title').el; $title.html(me.header.getPanel('title', config)).show(); + $title.find('.extra').html(me.header.getPanel('left', config)); var toolbar = me.viewport.vlayout.getItem('toolbar'); toolbar.el.addClass('top-title'); diff --git a/apps/documenteditor/main/app/view/ImageSettings.js b/apps/documenteditor/main/app/view/ImageSettings.js index 76766f132..59362af75 100644 --- a/apps/documenteditor/main/app/view/ImageSettings.js +++ b/apps/documenteditor/main/app/view/ImageSettings.js @@ -426,7 +426,7 @@ define([ onBtnRotateClick: function(btn) { var properties = new Asc.asc_CImgProperty(); - properties.asc_putRot((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); + properties.asc_putRotAdd((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); this.api.ImgApply(properties); this.fireEvent('editcomplete', this); }, @@ -434,9 +434,9 @@ define([ onBtnFlipClick: function(btn) { var properties = new Asc.asc_CImgProperty(); if (btn.options.value==1) - properties.asc_putFlipH(true); + properties.asc_putFlipHInvert(true); else - properties.asc_putFlipV(true); + properties.asc_putFlipVInvert(true); this.api.ImgApply(properties); this.fireEvent('editcomplete', this); }, diff --git a/apps/documenteditor/main/app/view/ShapeSettings.js b/apps/documenteditor/main/app/view/ShapeSettings.js index bbc20d247..eeb9d42a2 100644 --- a/apps/documenteditor/main/app/view/ShapeSettings.js +++ b/apps/documenteditor/main/app/view/ShapeSettings.js @@ -1569,7 +1569,7 @@ define([ onBtnRotateClick: function(btn) { var properties = new Asc.asc_CImgProperty(); - properties.asc_putRot((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); + properties.asc_putRotAdd((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); this.api.ImgApply(properties); this.fireEvent('editcomplete', this); }, @@ -1577,9 +1577,9 @@ define([ onBtnFlipClick: function(btn) { var properties = new Asc.asc_CImgProperty(); if (btn.options.value==1) - properties.asc_putFlipH(true); + properties.asc_putFlipHInvert(true); else - properties.asc_putFlipV(true); + properties.asc_putFlipVInvert(true); this.api.ImgApply(properties); this.fireEvent('editcomplete', this); }, diff --git a/apps/documenteditor/main/app/view/Toolbar.js b/apps/documenteditor/main/app/view/Toolbar.js index cc084ce15..5ee095680 100644 --- a/apps/documenteditor/main/app/view/Toolbar.js +++ b/apps/documenteditor/main/app/view/Toolbar.js @@ -2111,7 +2111,7 @@ define([ createSynchTip: function () { this.synchTooltip = new Common.UI.SynchronizeTip({ - extCls: this.mode.isDesktopApp ? 'inc-index' : undefined, + extCls: 'inc-index', target: this.btnCollabChanges.$el }); this.synchTooltip.on('dontshowclick', function () { diff --git a/apps/documenteditor/main/locale/cs.json b/apps/documenteditor/main/locale/cs.json index d5ef8a425..340f12d5d 100644 --- a/apps/documenteditor/main/locale/cs.json +++ b/apps/documenteditor/main/locale/cs.json @@ -194,6 +194,8 @@ "Common.Views.RenameDialog.txtInvalidName": "Název souboru nesmí obsahovat žádný z následujících znaků:", "Common.Views.ReviewChanges.hintNext": "K další změně", "Common.Views.ReviewChanges.hintPrev": "K předchozí změně", + "Common.Views.ReviewChanges.strFast": "Automatický", + "Common.Views.ReviewChanges.strStrict": "Statický", "Common.Views.ReviewChanges.tipAcceptCurrent": "Přijmout aktuální změnu", "Common.Views.ReviewChanges.tipRejectCurrent": "Odmítnout aktuální změnu", "Common.Views.ReviewChanges.tipReview": "Sledovat změny", @@ -311,8 +313,8 @@ "DE.Controllers.Main.textLoadingDocument": "Načítání dokumentu", "DE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE open source verze", "DE.Controllers.Main.textShape": "Tvar", - "DE.Controllers.Main.textStrict": "Strict mode", - "DE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.
Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.", + "DE.Controllers.Main.textStrict": "Statický réžim", + "DE.Controllers.Main.textTryUndoRedo": "Funkce zpět/zopakovat jsou vypnuty pro Automatický co-editační režim.
Klikněte na tlačítko \"Statický režim\", abyste přešli do přísného co-editačního režimu a abyste upravovali soubor bez rušení ostatních uživatelů a odeslali vaše změny jen po jejich uložení. Pomocí Rozšířeného nastavení editoru můžete přepínat mezi co-editačními režimy.", "DE.Controllers.Main.titleLicenseExp": "Platnost licence vypršela", "DE.Controllers.Main.titleServerVersion": "Editor byl aktualizován", "DE.Controllers.Main.titleUpdateVersion": "Verze změněna", @@ -986,7 +988,7 @@ "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", - "DE.Views.FileMenuPanels.Settings.strFast": "Fast", + "DE.Views.FileMenuPanels.Settings.strFast": "Automatický", "DE.Views.FileMenuPanels.Settings.strFontRender": "Hinting", "DE.Views.FileMenuPanels.Settings.strForcesave": "Vždy uložit na server (jinak uložit na server při zavření dokumentu)", "DE.Views.FileMenuPanels.Settings.strInputMode": "Zapnout hieroglyfy", @@ -994,7 +996,7 @@ "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Povolit zobrazení vyřešených komentářů", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Změny spolupráce v reálném čase", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Povolit kontrolu pravopisu", - "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", + "DE.Views.FileMenuPanels.Settings.strStrict": "Statický", "DE.Views.FileMenuPanels.Settings.strUnit": "Zobrazovat hodnoty v jednotkách", "DE.Views.FileMenuPanels.Settings.strZoom": "Výchozí měřítko zobrazení", "DE.Views.FileMenuPanels.Settings.text10Minutes": "Každých 10 minut", diff --git a/apps/documenteditor/main/locale/de.json b/apps/documenteditor/main/locale/de.json index 428f332b3..c4a024784 100644 --- a/apps/documenteditor/main/locale/de.json +++ b/apps/documenteditor/main/locale/de.json @@ -147,8 +147,8 @@ "Common.Views.Header.textHideStatusBar": "Statusleiste verbergen", "Common.Views.Header.textSaveBegin": "Speicherung...", "Common.Views.Header.textSaveChanged": "Verändert", - "Common.Views.Header.textSaveEnd": "Alle Änderungen sind gespeichert", - "Common.Views.Header.textSaveExpander": "Alle Änderungen sind gespeichert", + "Common.Views.Header.textSaveEnd": "Alle Änderungen wurden gespeichert", + "Common.Views.Header.textSaveExpander": "Alle Änderungen wurden gespeichert", "Common.Views.Header.textZoom": "Zoom", "Common.Views.Header.tipAccessRights": "Zugriffsrechte für das Dokument verwalten", "Common.Views.Header.tipDownload": "Datei herunterladen", @@ -352,7 +352,7 @@ "DE.Controllers.Main.errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", "DE.Controllers.Main.errorUserDrop": "Kein Zugriff auf diese Datei ist möglich.", "DE.Controllers.Main.errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Anzahl der Benutzer ist überschritten", - "DE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist verloren. Man kann das Dokument anschauen.
Es ist aber momentan nicht möglich, ihn herunterzuladen oder auszudrücken bis die Verbindung wiederhergestellt wird.", + "DE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist unterbrochen. Man kann das Dokument anschauen.
Es ist aber momentan nicht möglich, es herunterzuladen oder auszudrucken bis die Verbindung wiederhergestellt wird.", "DE.Controllers.Main.leavePageText": "Dieses Dokument enthält ungespeicherte Änderungen. Klicken Sie \"Auf dieser Seite bleiben\" und dann \"Speichern\", um sie zu speichern. Klicken Sie \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", "DE.Controllers.Main.loadFontsTextText": "Daten werden geladen...", "DE.Controllers.Main.loadFontsTitleText": "Daten werden geladen", @@ -388,7 +388,7 @@ "DE.Controllers.Main.splitMaxRowsErrorText": "Die Zeilenanzahl muss weniger als %1 sein.", "DE.Controllers.Main.textAnonymous": "Anonym", "DE.Controllers.Main.textBuyNow": "Webseite besuchen", - "DE.Controllers.Main.textChangesSaved": "Alle Änderungen werden gespeichert", + "DE.Controllers.Main.textChangesSaved": "Alle Änderungen wurden gespeichert", "DE.Controllers.Main.textClose": "Schließen", "DE.Controllers.Main.textCloseTip": "Klicken Sie, um den Tipp zu schließen", "DE.Controllers.Main.textContactUs": "Verkaufsteam kontaktieren", diff --git a/apps/documenteditor/main/locale/en.json b/apps/documenteditor/main/locale/en.json index 1057bfdac..bfae4b013 100644 --- a/apps/documenteditor/main/locale/en.json +++ b/apps/documenteditor/main/locale/en.json @@ -1908,7 +1908,7 @@ "DE.Views.Toolbar.tipClearStyle": "Clear style", "DE.Views.Toolbar.tipColorSchemas": "Change color scheme", "DE.Views.Toolbar.tipColumns": "Insert columns", - "DE.Views.Toolbar.tipControls": "Insert content controls", + "DE.Views.Toolbar.tipControls": "Insert content control", "DE.Views.Toolbar.tipCopy": "Copy", "DE.Views.Toolbar.tipCopyStyle": "Copy style", "DE.Views.Toolbar.tipDecFont": "Decrement font size", diff --git a/apps/documenteditor/main/locale/it.json b/apps/documenteditor/main/locale/it.json index 2f42e7f99..dd8a6f900 100644 --- a/apps/documenteditor/main/locale/it.json +++ b/apps/documenteditor/main/locale/it.json @@ -8,9 +8,9 @@ "Common.Controllers.ExternalDiagramEditor.warningTitle": "Avviso", "Common.Controllers.ExternalMergeEditor.textAnonymous": "Anonimo", "Common.Controllers.ExternalMergeEditor.textClose": "Chiudi", - "Common.Controllers.ExternalMergeEditor.warningText": "The object is disabled because it is being edited by another user.", - "Common.Controllers.ExternalMergeEditor.warningTitle": "Warning", - "Common.Controllers.History.notcriticalErrorTitle": "Warning", + "Common.Controllers.ExternalMergeEditor.warningText": "L'oggetto è disabilitato perché un altro utente lo sta modificando.", + "Common.Controllers.ExternalMergeEditor.warningTitle": "Avviso", + "Common.Controllers.History.notcriticalErrorTitle": "Avviso", "Common.Controllers.ReviewChanges.textAtLeast": "almeno", "Common.Controllers.ReviewChanges.textAuto": "auto", "Common.Controllers.ReviewChanges.textBaseline": "Baseline", @@ -62,7 +62,7 @@ "Common.Controllers.ReviewChanges.textSubScript": "Subscript", "Common.Controllers.ReviewChanges.textSuperScript": "Superscript", "Common.Controllers.ReviewChanges.textTabs": "Modifica tabelle", - "Common.Controllers.ReviewChanges.textUnderline": "Underline", + "Common.Controllers.ReviewChanges.textUnderline": "Sottolineato", "Common.Controllers.ReviewChanges.textWidow": "Widow control", "Common.UI.ComboBorderSize.txtNoBorders": "Nessun bordo", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Nessun bordo", @@ -308,7 +308,7 @@ "Common.Views.SignSettingsDialog.txtEmpty": "Campo obbligatorio", "DE.Controllers.LeftMenu.leavePageText": "Tutte le modifiche non salvate nel documento verranno perse.
Clicca \"Annulla\" e poi \"Salva\" per salvarle. Clicca \"OK\" per annullare tutte le modifiche non salvate.", "DE.Controllers.LeftMenu.newDocumentTitle": "Documento senza nome", - "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Warning", + "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Avviso", "DE.Controllers.LeftMenu.requestEditRightsText": "Richiesta di autorizzazione di modifica...", "DE.Controllers.LeftMenu.textLoadHistory": "Loading versions history...", "DE.Controllers.LeftMenu.textNoTextFound": "I dati da cercare non sono stati trovati. Modifica i parametri di ricerca.", @@ -380,6 +380,7 @@ "DE.Controllers.Main.savePreparingTitle": "Preparazione al salvataggio. Si prega di aspettare...", "DE.Controllers.Main.saveTextText": "Salvataggio del documento in corso...", "DE.Controllers.Main.saveTitleText": "Salvataggio del documento", + "DE.Controllers.Main.scriptLoadError": "La connessione è troppo lenta, alcuni componenti non possono essere caricati. Si prega di ricaricare la pagina.", "DE.Controllers.Main.sendMergeText": "Sending Merge...", "DE.Controllers.Main.sendMergeTitle": "Sending Merge", "DE.Controllers.Main.splitDividerErrorText": "Il numero di righe deve essere un divisore di %1.", @@ -402,7 +403,7 @@ "DE.Controllers.Main.titleServerVersion": "L'editor è stato aggiornato", "DE.Controllers.Main.titleUpdateVersion": "Version changed", "DE.Controllers.Main.txtAbove": "Sopra", - "DE.Controllers.Main.txtArt": "Your text here", + "DE.Controllers.Main.txtArt": "Il tuo testo qui", "DE.Controllers.Main.txtBasicShapes": "Figure di base", "DE.Controllers.Main.txtBelow": "sotto", "DE.Controllers.Main.txtBookmarkError": "Errore! Segnalibro non definito.", @@ -467,11 +468,11 @@ "DE.Controllers.Navigation.txtBeginning": "Inizio del documento", "DE.Controllers.Navigation.txtGotoBeginning": "Vai all'inizio del documento", "DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked", - "DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled", + "DE.Controllers.Statusbar.textTrackChanges": "Il documento è aperto in modalità Traccia Revisioni attivata", "DE.Controllers.Statusbar.tipReview": "Traccia cambiamenti", "DE.Controllers.Statusbar.zoomText": "Zoom {0}%", "DE.Controllers.Toolbar.confirmAddFontName": "Il carattere che vuoi salvare non è accessibile su questo dispositivo.
Lo stile di testo sarà visualizzato usando uno dei caratteri di sistema, il carattere salvato sarà usato quando accessibile.
Vuoi continuare?", - "DE.Controllers.Toolbar.notcriticalErrorTitle": "Warning", + "DE.Controllers.Toolbar.notcriticalErrorTitle": "Avviso", "DE.Controllers.Toolbar.textAccent": "Accenti", "DE.Controllers.Toolbar.textBracket": "Parentesi", "DE.Controllers.Toolbar.textEmptyImgUrl": "Specifica URL immagine.", @@ -492,17 +493,17 @@ "DE.Controllers.Toolbar.txtAccent_ArrowL": "Leftwards Arrow Above", "DE.Controllers.Toolbar.txtAccent_ArrowR": "Rightwards Arrow Above", "DE.Controllers.Toolbar.txtAccent_Bar": "Bar", - "DE.Controllers.Toolbar.txtAccent_BarBot": "Underbar", - "DE.Controllers.Toolbar.txtAccent_BarTop": "Overbar", + "DE.Controllers.Toolbar.txtAccent_BarBot": "Barra inferiore", + "DE.Controllers.Toolbar.txtAccent_BarTop": "barra sopra", "DE.Controllers.Toolbar.txtAccent_BorderBox": "Boxed Formula (With Placeholder)", "DE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Boxed Formula(Example)", "DE.Controllers.Toolbar.txtAccent_Check": "Controlla", - "DE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Underbrace", + "DE.Controllers.Toolbar.txtAccent_CurveBracketBot": "sottoparentesi", "DE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Overbrace", - "DE.Controllers.Toolbar.txtAccent_Custom_1": "Vector A", + "DE.Controllers.Toolbar.txtAccent_Custom_1": "Vettore A", "DE.Controllers.Toolbar.txtAccent_Custom_2": "ABC con barra superiore", - "DE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y With Overbar", - "DE.Controllers.Toolbar.txtAccent_DDDot": "Triple Dot", + "DE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y con barra sopra", + "DE.Controllers.Toolbar.txtAccent_DDDot": "Punto triplo", "DE.Controllers.Toolbar.txtAccent_DDot": "Double Dot", "DE.Controllers.Toolbar.txtAccent_Dot": "Dot", "DE.Controllers.Toolbar.txtAccent_DoubleBar": "Double Overbar", @@ -605,13 +606,13 @@ "DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Surface Integral", "DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Surface Integral", "DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Contour Integral", - "DE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volume Integral", - "DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volume Integral", - "DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volume Integral", + "DE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volume Integrale", + "DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volume Integrale", + "DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volume Integrale", "DE.Controllers.Toolbar.txtIntegralSubSup": "Integrale", - "DE.Controllers.Toolbar.txtIntegralTriple": "Triple Integral", - "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Triple Integral", - "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Triple Integral", + "DE.Controllers.Toolbar.txtIntegralTriple": "Triplo Integrale", + "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Triplo Integrale", + "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Triplo Integrale", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Wedge", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Wedge", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Wedge", @@ -626,7 +627,7 @@ "DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Summation", "DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Summation", "DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Product", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Union", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Unione", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee", @@ -647,20 +648,20 @@ "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Summation", "DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Summation", "DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Summation", - "DE.Controllers.Toolbar.txtLargeOperator_Union": "Union", - "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Union", - "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Union", - "DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Union", - "DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Union", - "DE.Controllers.Toolbar.txtLimitLog_Custom_1": "Limit Example", - "DE.Controllers.Toolbar.txtLimitLog_Custom_2": "Maximum Example", + "DE.Controllers.Toolbar.txtLargeOperator_Union": "Unione", + "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Unione", + "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Unione", + "DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Unione", + "DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Unione", + "DE.Controllers.Toolbar.txtLimitLog_Custom_1": "Esempio limite", + "DE.Controllers.Toolbar.txtLimitLog_Custom_2": "Esempio Massimo", "DE.Controllers.Toolbar.txtLimitLog_Lim": "Limit", "DE.Controllers.Toolbar.txtLimitLog_Ln": "Natural Logarithm", "DE.Controllers.Toolbar.txtLimitLog_Log": "Logarithm", "DE.Controllers.Toolbar.txtLimitLog_LogBase": "Logarithm", "DE.Controllers.Toolbar.txtLimitLog_Max": "Maximum", "DE.Controllers.Toolbar.txtLimitLog_Min": "Minimo", - "DE.Controllers.Toolbar.txtMarginsH": "Top and bottom margins are too high for a given page height", + "DE.Controllers.Toolbar.txtMarginsH": "I margini superiore e inferiore sono troppo alti per una determinata altezza di pagina", "DE.Controllers.Toolbar.txtMarginsW": "Left and right margins are too wide for a given page width", "DE.Controllers.Toolbar.txtMatrix_1_2": "1x2 Matrice Vuota", "DE.Controllers.Toolbar.txtMatrix_1_3": "1x3 Matrice Vuota", @@ -691,7 +692,7 @@ "DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Rightwards Arrow Below", "DE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Rightwards Arrow Above", "DE.Controllers.Toolbar.txtOperator_ColonEquals": "Due punti uguali", - "DE.Controllers.Toolbar.txtOperator_Custom_1": "Yields", + "DE.Controllers.Toolbar.txtOperator_Custom_1": "Rendimenti", "DE.Controllers.Toolbar.txtOperator_Custom_2": "Delta Yields", "DE.Controllers.Toolbar.txtOperator_Definition": "Equal to By Definition", "DE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta uguale a", @@ -734,7 +735,7 @@ "DE.Controllers.Toolbar.txtSymbol_celsius": "Gradi Celsius", "DE.Controllers.Toolbar.txtSymbol_chi": "Chi", "DE.Controllers.Toolbar.txtSymbol_cong": "Approssimativamente uguale a", - "DE.Controllers.Toolbar.txtSymbol_cup": "Union", + "DE.Controllers.Toolbar.txtSymbol_cup": "Unione", "DE.Controllers.Toolbar.txtSymbol_ddots": "Down Right Diagonal Ellipsis", "DE.Controllers.Toolbar.txtSymbol_degree": "Gradi", "DE.Controllers.Toolbar.txtSymbol_delta": "Delta", @@ -745,7 +746,7 @@ "DE.Controllers.Toolbar.txtSymbol_equals": "Equal", "DE.Controllers.Toolbar.txtSymbol_equiv": "Identical To", "DE.Controllers.Toolbar.txtSymbol_eta": "Eta", - "DE.Controllers.Toolbar.txtSymbol_exists": "There Exist", + "DE.Controllers.Toolbar.txtSymbol_exists": "Esiste", "DE.Controllers.Toolbar.txtSymbol_factorial": "Factorial", "DE.Controllers.Toolbar.txtSymbol_fahrenheit": "Gradi Fahrenheit", "DE.Controllers.Toolbar.txtSymbol_forall": "For All", @@ -771,11 +772,11 @@ "DE.Controllers.Toolbar.txtSymbol_neq": "Not Equal To", "DE.Controllers.Toolbar.txtSymbol_ni": "Contains as Member", "DE.Controllers.Toolbar.txtSymbol_not": "Not Sign", - "DE.Controllers.Toolbar.txtSymbol_notexists": "There Does Not Exist", + "DE.Controllers.Toolbar.txtSymbol_notexists": "Non esiste", "DE.Controllers.Toolbar.txtSymbol_nu": "Nu", "DE.Controllers.Toolbar.txtSymbol_o": "Omicron", "DE.Controllers.Toolbar.txtSymbol_omega": "Omega", - "DE.Controllers.Toolbar.txtSymbol_partial": "Partial Differential", + "DE.Controllers.Toolbar.txtSymbol_partial": "Differenziale Parziale", "DE.Controllers.Toolbar.txtSymbol_percent": "Percentage", "DE.Controllers.Toolbar.txtSymbol_phi": "Phi", "DE.Controllers.Toolbar.txtSymbol_pi": "Pi", @@ -785,16 +786,16 @@ "DE.Controllers.Toolbar.txtSymbol_psi": "Psi", "DE.Controllers.Toolbar.txtSymbol_qdrt": "Fourth Root", "DE.Controllers.Toolbar.txtSymbol_qed": "End of Proof", - "DE.Controllers.Toolbar.txtSymbol_rddots": "Up Right Diagonal Ellipsis", + "DE.Controllers.Toolbar.txtSymbol_rddots": "Ellissi in diagonale alto destra", "DE.Controllers.Toolbar.txtSymbol_rho": "Rho", "DE.Controllers.Toolbar.txtSymbol_rightarrow": "Right Arrow", "DE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", "DE.Controllers.Toolbar.txtSymbol_sqrt": "Radical Sign", "DE.Controllers.Toolbar.txtSymbol_tau": "Tau", - "DE.Controllers.Toolbar.txtSymbol_therefore": "Therefore", + "DE.Controllers.Toolbar.txtSymbol_therefore": "Dunque", "DE.Controllers.Toolbar.txtSymbol_theta": "Theta", "DE.Controllers.Toolbar.txtSymbol_times": "Multiplication Sign", - "DE.Controllers.Toolbar.txtSymbol_uparrow": "Up Arrow", + "DE.Controllers.Toolbar.txtSymbol_uparrow": "Freccia su", "DE.Controllers.Toolbar.txtSymbol_upsilon": "Upsilon", "DE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon Variant", "DE.Controllers.Toolbar.txtSymbol_varphi": "Phi Variant", @@ -886,8 +887,8 @@ "DE.Views.DocumentHolder.deleteText": "Elimina", "DE.Views.DocumentHolder.direct270Text": "Ruota testo verso l'alto", "DE.Views.DocumentHolder.direct90Text": "Ruota testo verso il basso", - "DE.Views.DocumentHolder.directHText": "Horizontal", - "DE.Views.DocumentHolder.directionText": "Text Direction", + "DE.Views.DocumentHolder.directHText": "Orizzontale", + "DE.Views.DocumentHolder.directionText": "Direzione del testo", "DE.Views.DocumentHolder.editChartText": "Modifica dati", "DE.Views.DocumentHolder.editFooterText": "Modifica piè di pagina", "DE.Views.DocumentHolder.editHeaderText": "Modifica intestazione", @@ -930,7 +931,7 @@ "DE.Views.DocumentHolder.strDetails": "Dettagli firma", "DE.Views.DocumentHolder.strSetup": "Impostazioni firma", "DE.Views.DocumentHolder.strSign": "Firma", - "DE.Views.DocumentHolder.styleText": "Formatting as Style", + "DE.Views.DocumentHolder.styleText": "Formattazione come stile", "DE.Views.DocumentHolder.tableText": "Tabella", "DE.Views.DocumentHolder.textAlign": "Allinea", "DE.Views.DocumentHolder.textArrange": "Disponi", @@ -991,13 +992,13 @@ "DE.Views.DocumentHolder.txtBottom": "In basso", "DE.Views.DocumentHolder.txtColumnAlign": "Column alignment", "DE.Views.DocumentHolder.txtDecreaseArg": "Diminuisci dimensione argomento", - "DE.Views.DocumentHolder.txtDeleteArg": "Delete argument", - "DE.Views.DocumentHolder.txtDeleteBreak": "Delete manual break", - "DE.Views.DocumentHolder.txtDeleteChars": "Delete enclosing characters", - "DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "Delete enclosing characters and separators", - "DE.Views.DocumentHolder.txtDeleteEq": "Delete equation", - "DE.Views.DocumentHolder.txtDeleteGroupChar": "Delete char", - "DE.Views.DocumentHolder.txtDeleteRadical": "Delete radical", + "DE.Views.DocumentHolder.txtDeleteArg": "Elimina argomento", + "DE.Views.DocumentHolder.txtDeleteBreak": "Elimina interruzione manuale", + "DE.Views.DocumentHolder.txtDeleteChars": "Rimuovi caratteri allegati", + "DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "Rimuovi caratteri allegati e separatori", + "DE.Views.DocumentHolder.txtDeleteEq": "Elimina equazione", + "DE.Views.DocumentHolder.txtDeleteGroupChar": "Elimina char", + "DE.Views.DocumentHolder.txtDeleteRadical": "Rimuovi radicale", "DE.Views.DocumentHolder.txtFractionLinear": "Modifica a frazione lineare", "DE.Views.DocumentHolder.txtFractionSkewed": "Modifica a frazione obliqua", "DE.Views.DocumentHolder.txtFractionStacked": "Modifica a frazione impilata", @@ -1059,7 +1060,7 @@ "DE.Views.DocumentHolder.txtTopAndBottom": "Sopra e sotto", "DE.Views.DocumentHolder.txtUnderbar": "Barra sotto al testo", "DE.Views.DocumentHolder.txtUngroup": "Separa", - "DE.Views.DocumentHolder.updateStyleText": "Update %1 style", + "DE.Views.DocumentHolder.updateStyleText": "Aggiorna %1 stile", "DE.Views.DocumentHolder.vertAlignText": "Allineamento verticale", "DE.Views.DropcapSettingsAdvanced.cancelButtonText": "Annulla", "DE.Views.DropcapSettingsAdvanced.okButtonText": "OK", @@ -1160,7 +1161,7 @@ "DE.Views.FileMenuPanels.Settings.strAutosave": "Attiva salvataggio automatico", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modalità di co-editing", "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", + "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.", "DE.Views.FileMenuPanels.Settings.strFast": "Fast", "DE.Views.FileMenuPanels.Settings.strFontRender": "Hinting dei caratteri", "DE.Views.FileMenuPanels.Settings.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)", @@ -1350,7 +1351,7 @@ "DE.Views.MailMergeEmailDlg.cancelButtonText": "Annulla", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.okButtonText": "Send", - "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Theme", + "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Tema", "DE.Views.MailMergeEmailDlg.textAttachDocx": "Allega come DOCX", "DE.Views.MailMergeEmailDlg.textAttachPdf": "Allega come PDF", "DE.Views.MailMergeEmailDlg.textFileName": "File name", @@ -1360,8 +1361,8 @@ "DE.Views.MailMergeEmailDlg.textMessage": "Messaggio", "DE.Views.MailMergeEmailDlg.textSubject": "Subject Line", "DE.Views.MailMergeEmailDlg.textTitle": "Send to Email", - "DE.Views.MailMergeEmailDlg.textTo": "To", - "DE.Views.MailMergeEmailDlg.textWarning": "Warning!", + "DE.Views.MailMergeEmailDlg.textTo": "A", + "DE.Views.MailMergeEmailDlg.textWarning": "Avviso!", "DE.Views.MailMergeEmailDlg.textWarningMsg": "Please note that mailing cannot be stopped once your click the 'Send' button.", "DE.Views.MailMergeRecepients.textLoading": "Loading", "DE.Views.MailMergeRecepients.textTitle": "Select Data Source", @@ -1369,7 +1370,7 @@ "DE.Views.MailMergeSaveDlg.textTitle": "Folder for save", "DE.Views.MailMergeSettings.downloadMergeTitle": "Unione", "DE.Views.MailMergeSettings.errorMailMergeSaveFile": "Merge failed.", - "DE.Views.MailMergeSettings.notcriticalErrorTitle": "Warning", + "DE.Views.MailMergeSettings.notcriticalErrorTitle": "Avviso", "DE.Views.MailMergeSettings.textAddRecipients": "Add some recipients to the list first", "DE.Views.MailMergeSettings.textAll": "All records", "DE.Views.MailMergeSettings.textCurrent": "Current record", @@ -1391,13 +1392,13 @@ "DE.Views.MailMergeSettings.textPreview": "Anteprima dei risultati", "DE.Views.MailMergeSettings.textReadMore": "Read more", "DE.Views.MailMergeSettings.textSendMsg": "Tutti i messaggi mail sono pronti e saranno spediti in poco tempo.
La velocità di invio dipende dal tuo servizio mail.
Puoi continuare a lavorare con il documento o chiuderlo. Ti verrà recapitata una notifica all'indirizzo email di registrazione al completamento dell'operazione.", - "DE.Views.MailMergeSettings.textTo": "To", - "DE.Views.MailMergeSettings.txtFirst": "To first record", + "DE.Views.MailMergeSettings.textTo": "A", + "DE.Views.MailMergeSettings.txtFirst": "Al primo record", "DE.Views.MailMergeSettings.txtFromToError": "Il valore \"Da\" deve essere minore del valore \"A\"", - "DE.Views.MailMergeSettings.txtLast": "To last record", - "DE.Views.MailMergeSettings.txtNext": "To next record", - "DE.Views.MailMergeSettings.txtPrev": "To previous record", - "DE.Views.MailMergeSettings.txtUntitled": "Untitled", + "DE.Views.MailMergeSettings.txtLast": "All'ultimo record", + "DE.Views.MailMergeSettings.txtNext": "Al record successivo", + "DE.Views.MailMergeSettings.txtPrev": "al record precedente", + "DE.Views.MailMergeSettings.txtUntitled": "Senza titolo", "DE.Views.MailMergeSettings.warnProcessMailMerge": "Starting merge failed", "DE.Views.Navigation.txtCollapse": "Comprimi tutto", "DE.Views.Navigation.txtDemote": "Retrocedere", @@ -1432,21 +1433,21 @@ "DE.Views.NumberingValueDialog.cancelButtonText": "Annulla", "DE.Views.NumberingValueDialog.okButtonText": "OK", "DE.Views.PageMarginsDialog.cancelButtonText": "Annulla", - "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "Warning", + "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "Avviso", "DE.Views.PageMarginsDialog.okButtonText": "Ok", "DE.Views.PageMarginsDialog.textBottom": "In basso", "DE.Views.PageMarginsDialog.textLeft": "Left", "DE.Views.PageMarginsDialog.textRight": "Right", "DE.Views.PageMarginsDialog.textTitle": "Margins", "DE.Views.PageMarginsDialog.textTop": "Top", - "DE.Views.PageMarginsDialog.txtMarginsH": "Top and bottom margins are too high for a given page height", + "DE.Views.PageMarginsDialog.txtMarginsH": "I margini superiore e inferiore sono troppo alti per una determinata altezza di pagina", "DE.Views.PageMarginsDialog.txtMarginsW": "Left and right margins are too wide for a given page width", "DE.Views.PageSizeDialog.cancelButtonText": "Annulla", "DE.Views.PageSizeDialog.okButtonText": "Ok", "DE.Views.PageSizeDialog.textHeight": "Height", "DE.Views.PageSizeDialog.textPreset": "Preimpostazione", "DE.Views.PageSizeDialog.textTitle": "Page Size", - "DE.Views.PageSizeDialog.textWidth": "Width", + "DE.Views.PageSizeDialog.textWidth": "Larghezza", "DE.Views.PageSizeDialog.txtCustom": "Personalizzato", "DE.Views.ParagraphSettings.strLineHeight": "Interlinea", "DE.Views.ParagraphSettings.strParagraphSpacing": "Spaziatura del paragrafo", @@ -1462,7 +1463,7 @@ "DE.Views.ParagraphSettings.textNewColor": "Colore personalizzato", "DE.Views.ParagraphSettings.txtAutoText": "Auto", "DE.Views.ParagraphSettingsAdvanced.cancelButtonText": "Annulla", - "DE.Views.ParagraphSettingsAdvanced.noTabs": "The specified tabs will appear in this field", + "DE.Views.ParagraphSettingsAdvanced.noTabs": "Le schede specificate appariranno in questo campo", "DE.Views.ParagraphSettingsAdvanced.okButtonText": "OK", "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "Maiuscole", "DE.Views.ParagraphSettingsAdvanced.strBorders": "Bordi e riempimento", @@ -1525,7 +1526,7 @@ "DE.Views.RightMenu.txtShapeSettings": "Impostazioni forma", "DE.Views.RightMenu.txtSignatureSettings": "Impostazioni della Firma", "DE.Views.RightMenu.txtTableSettings": "Impostazioni tabella", - "DE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "DE.Views.RightMenu.txtTextArtSettings": "Impostazioni Text Art", "DE.Views.ShapeSettings.strBackground": "Colore sfondo", "DE.Views.ShapeSettings.strChange": "Cambia forma", "DE.Views.ShapeSettings.strColor": "Colore", @@ -1603,7 +1604,7 @@ "DE.Views.StyleTitleDialog.textHeader": "Crea nuovo stile", "DE.Views.StyleTitleDialog.textNextStyle": "Next paragraph style", "DE.Views.StyleTitleDialog.textTitle": "Title", - "DE.Views.StyleTitleDialog.txtEmpty": "This field is required", + "DE.Views.StyleTitleDialog.txtEmpty": "Campo obbligatorio", "DE.Views.StyleTitleDialog.txtNotEmpty": "Field must not be empty", "DE.Views.TableOfContentsSettings.cancelButtonText": "Annulla", "DE.Views.TableOfContentsSettings.okButtonText ": "OK", @@ -1755,7 +1756,7 @@ "DE.Views.TextArtSettings.strStroke": "Stroke", "DE.Views.TextArtSettings.strTransparency": "Opacity", "DE.Views.TextArtSettings.strType": "Tipo", - "DE.Views.TextArtSettings.textBorderSizeErr": "The entered value is incorrect.
Please enter a value between 0 pt and 1584 pt.", + "DE.Views.TextArtSettings.textBorderSizeErr": "Il valore inserito non è corretto.
Inserisci un valore tra 0 pt e 1584 pt.", "DE.Views.TextArtSettings.textColor": "Colore di riempimento", "DE.Views.TextArtSettings.textDirection": "Direction", "DE.Views.TextArtSettings.textGradient": "Gradient", @@ -1812,7 +1813,7 @@ "DE.Views.Toolbar.textColumnsLeft": "Left", "DE.Views.Toolbar.textColumnsOne": "One", "DE.Views.Toolbar.textColumnsRight": "Right", - "DE.Views.Toolbar.textColumnsThree": "Three", + "DE.Views.Toolbar.textColumnsThree": "Tre", "DE.Views.Toolbar.textColumnsTwo": "Two", "DE.Views.Toolbar.textContPage": "Pagina continua", "DE.Views.Toolbar.textEvenPage": "Pagina pari", @@ -1849,12 +1850,12 @@ "DE.Views.Toolbar.textRight": "Right: ", "DE.Views.Toolbar.textStock": "Azionario", "DE.Views.Toolbar.textStrikeout": "Barrato", - "DE.Views.Toolbar.textStyleMenuDelete": "Delete style", - "DE.Views.Toolbar.textStyleMenuDeleteAll": "Delete all custom styles", + "DE.Views.Toolbar.textStyleMenuDelete": "Elimina stile", + "DE.Views.Toolbar.textStyleMenuDeleteAll": "Elimina tutti gli stili personalizzati", "DE.Views.Toolbar.textStyleMenuNew": "Nuovo stile da selezione", "DE.Views.Toolbar.textStyleMenuRestore": "Restore to default", "DE.Views.Toolbar.textStyleMenuRestoreAll": "Restore all to default styles", - "DE.Views.Toolbar.textStyleMenuUpdate": "Update from selection", + "DE.Views.Toolbar.textStyleMenuUpdate": "Aggiorna da selezione", "DE.Views.Toolbar.textSubscript": "Pedice", "DE.Views.Toolbar.textSuperscript": "Apice", "DE.Views.Toolbar.textSurface": "Superficie", @@ -1868,7 +1869,7 @@ "DE.Views.Toolbar.textTabReview": "Revisione", "DE.Views.Toolbar.textTitleError": "Errore", "DE.Views.Toolbar.textToCurrent": "Alla posizione corrente", - "DE.Views.Toolbar.textTop": "Top: ", + "DE.Views.Toolbar.textTop": "in alto:", "DE.Views.Toolbar.textUnderline": "Sottolineato", "DE.Views.Toolbar.tipAlignCenter": "Allinea al centro", "DE.Views.Toolbar.tipAlignJust": "Giustifica", diff --git a/apps/documenteditor/main/locale/pl.json b/apps/documenteditor/main/locale/pl.json index cfc81a78b..b317668f4 100644 --- a/apps/documenteditor/main/locale/pl.json +++ b/apps/documenteditor/main/locale/pl.json @@ -1132,7 +1132,7 @@ "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Przez", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "szczelnie", "DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "Góra i dół", - "DE.Views.LeftMenu.tipAbout": "O", + "DE.Views.LeftMenu.tipAbout": "O programie", "DE.Views.LeftMenu.tipChat": "Czat", "DE.Views.LeftMenu.tipComments": "Komentarze", "DE.Views.LeftMenu.tipPlugins": "Wtyczki", diff --git a/apps/documenteditor/main/locale/ru.json b/apps/documenteditor/main/locale/ru.json index adc677276..1529af123 100644 --- a/apps/documenteditor/main/locale/ru.json +++ b/apps/documenteditor/main/locale/ru.json @@ -1798,7 +1798,7 @@ "DE.Views.Toolbar.mniEditHeader": "Изменить верхний колонтитул", "DE.Views.Toolbar.mniHiddenBorders": "Скрытые границы таблиц", "DE.Views.Toolbar.mniHiddenChars": "Непечатаемые символы", - "DE.Views.Toolbar.mniHighlightControls": "Параметры выделения", + "DE.Views.Toolbar.mniHighlightControls": "Цвет подсветки", "DE.Views.Toolbar.mniImageFromFile": "Изображение из файла", "DE.Views.Toolbar.mniImageFromUrl": "Изображение по URL", "DE.Views.Toolbar.strMenuNoFill": "Без заливки", @@ -1836,17 +1836,17 @@ "DE.Views.Toolbar.textMarginsWide": "Широкие", "DE.Views.Toolbar.textNewColor": "Пользовательский цвет", "DE.Views.Toolbar.textNextPage": "Со следующей страницы", - "DE.Views.Toolbar.textNoHighlight": "Без выделения", + "DE.Views.Toolbar.textNoHighlight": "Без подсветки", "DE.Views.Toolbar.textNone": "Нет", "DE.Views.Toolbar.textOddPage": "С нечетной страницы", "DE.Views.Toolbar.textPageMarginsCustom": "Настраиваемые поля", "DE.Views.Toolbar.textPageSizeCustom": "Особый размер страницы", "DE.Views.Toolbar.textPie": "Круговая", - "DE.Views.Toolbar.textPlainControl": "Вставить элемент управления содержимым \"Обычный текст\"", + "DE.Views.Toolbar.textPlainControl": "Вставить элемент управления \"Обычный текст\"", "DE.Views.Toolbar.textPoint": "Точечная", "DE.Views.Toolbar.textPortrait": "Книжная", "DE.Views.Toolbar.textRemoveControl": "Удалить элемент управления содержимым", - "DE.Views.Toolbar.textRichControl": "Вставить элемент управления содержимым \"Форматированный текст\"", + "DE.Views.Toolbar.textRichControl": "Вставить элемент управления \"Форматированный текст\"", "DE.Views.Toolbar.textRight": "Правое: ", "DE.Views.Toolbar.textStock": "Биржевая", "DE.Views.Toolbar.textStrikeout": "Зачеркнутый", @@ -1880,7 +1880,7 @@ "DE.Views.Toolbar.tipClearStyle": "Очистить стиль", "DE.Views.Toolbar.tipColorSchemas": "Изменение цветовой схемы", "DE.Views.Toolbar.tipColumns": "Вставить колонки", - "DE.Views.Toolbar.tipControls": "Вставить элементы управления содержимым", + "DE.Views.Toolbar.tipControls": "Вставить элемент управления содержимым", "DE.Views.Toolbar.tipCopy": "Копировать", "DE.Views.Toolbar.tipCopyStyle": "Копировать стиль", "DE.Views.Toolbar.tipDecFont": "Уменьшить размер шрифта", diff --git a/apps/documenteditor/main/locale/sk.json b/apps/documenteditor/main/locale/sk.json index 5ce6235a9..50b694024 100644 --- a/apps/documenteditor/main/locale/sk.json +++ b/apps/documenteditor/main/locale/sk.json @@ -134,12 +134,13 @@ "Common.Views.DocumentAccessDialog.textLoading": "Nahrávanie...", "Common.Views.DocumentAccessDialog.textTitle": "Nastavenie zdieľania", "Common.Views.ExternalDiagramEditor.textClose": "Zatvoriť", - "Common.Views.ExternalDiagramEditor.textSave": "Uložiť a Zavrieť", + "Common.Views.ExternalDiagramEditor.textSave": "Uložiť a Zatvoriť", "Common.Views.ExternalDiagramEditor.textTitle": "Editor grafu", "Common.Views.ExternalMergeEditor.textClose": "Zatvoriť", - "Common.Views.ExternalMergeEditor.textSave": "Uložiť a Zavrieť", + "Common.Views.ExternalMergeEditor.textSave": "Uložiť a Zatvoriť", "Common.Views.ExternalMergeEditor.textTitle": "Príjemcovia hromadnej korešpondencie", "Common.Views.Header.labelCoUsersDescr": "Dokument v súčasnosti upravuje niekoľko používateľov.", + "Common.Views.Header.textAdvSettings": "Pokročilé nastavenia", "Common.Views.Header.textBack": "Prejsť do Dokumentov", "Common.Views.Header.textSaveBegin": "Ukladanie...", "Common.Views.Header.textSaveChanged": "Modifikovaný", @@ -149,10 +150,12 @@ "Common.Views.Header.tipDownload": "Stiahnuť súbor", "Common.Views.Header.tipGoEdit": "Editovať aktuálny súbor", "Common.Views.Header.tipPrint": "Vytlačiť súbor", + "Common.Views.Header.tipSave": "Uložiť", + "Common.Views.Header.tipUndo": "Krok späť", "Common.Views.Header.tipViewUsers": "Zobraziť používateľov a spravovať prístupové práva k dokumentom", "Common.Views.Header.txtAccessRights": "Zmeniť prístupové práva", "Common.Views.Header.txtRename": "Premenovať", - "Common.Views.History.textCloseHistory": "Zavrieť históriu", + "Common.Views.History.textCloseHistory": "Zatvoriť históriu", "Common.Views.History.textHide": "Stiahnuť/zbaliť/zvinúť", "Common.Views.History.textHideAll": "Skryť podrobné zmeny", "Common.Views.History.textRestore": "Obnoviť", @@ -180,15 +183,24 @@ "Common.Views.OpenDialog.txtEncoding": "Kódovanie", "Common.Views.OpenDialog.txtIncorrectPwd": "Heslo je nesprávne.", "Common.Views.OpenDialog.txtPassword": "Heslo", + "Common.Views.OpenDialog.txtPreview": "Náhľad", "Common.Views.OpenDialog.txtTitle": "Vyberte %1 možností", "Common.Views.OpenDialog.txtTitleProtected": "Chránený súbor", "Common.Views.PasswordDialog.cancelButtonText": "Zrušiť", + "Common.Views.PasswordDialog.okButtonText": "OK", + "Common.Views.PasswordDialog.txtIncorrectPwd": "Heslá sa nezhodujú", "Common.Views.PluginDlg.textLoading": "Nahrávanie", "Common.Views.Plugins.groupCaption": "Pluginy", "Common.Views.Plugins.strPlugins": "Pluginy", "Common.Views.Plugins.textLoading": "Nahrávanie", "Common.Views.Plugins.textStart": "Začať/začiatok", "Common.Views.Plugins.textStop": "Stop", + "Common.Views.Protection.hintPwd": "Zmeniť alebo odstrániť heslo", + "Common.Views.Protection.hintSignature": "Pridajte riadok digitálneho podpisu alebo podpisu", + "Common.Views.Protection.txtAddPwd": "Pridajte heslo", + "Common.Views.Protection.txtChangePwd": "Zmeniť heslo", + "Common.Views.Protection.txtDeletePwd": "Odstrániť heslo", + "Common.Views.Protection.txtInvisibleSignature": "Pridajte digitálny podpis", "Common.Views.Protection.txtSignature": "Podpis", "Common.Views.RenameDialog.cancelButtonText": "Zrušiť", "Common.Views.RenameDialog.okButtonText": "OK", @@ -207,6 +219,7 @@ "Common.Views.ReviewChanges.txtAcceptChanges": "Akceptovať zmeny", "Common.Views.ReviewChanges.txtAcceptCurrent": "Akceptovať aktuálnu zmenu", "Common.Views.ReviewChanges.txtClose": "Zatvoriť", + "Common.Views.ReviewChanges.txtCoAuthMode": "Režim spoločnej úpravy", "Common.Views.ReviewChanges.txtDocLang": "Jazyk", "Common.Views.ReviewChanges.txtFinal": "Všetky zmeny prijaté (ukážka)", "Common.Views.ReviewChanges.txtMarkup": "Všetky zmeny (upravované)", @@ -229,6 +242,11 @@ "Common.Views.ReviewChangesDialog.txtReject": "Odmietnuť", "Common.Views.ReviewChangesDialog.txtRejectAll": "Odmietnuť všetky zmeny", "Common.Views.ReviewChangesDialog.txtRejectCurrent": "Odmietnuť aktuálnu zmenu", + "Common.Views.ReviewPopover.textAdd": "Pridať", + "Common.Views.ReviewPopover.textAddReply": "Pridať odpoveď", + "Common.Views.ReviewPopover.textCancel": "Zrušiť", + "Common.Views.ReviewPopover.textClose": "Zatvoriť", + "Common.Views.ReviewPopover.textEdit": "OK", "Common.Views.SignDialog.cancelButtonText": "Zrušiť", "Common.Views.SignDialog.okButtonText": "Ok", "Common.Views.SignDialog.textBold": "Tučné", @@ -237,6 +255,7 @@ "Common.Views.SignDialog.textInputName": "Zadať meno signatára", "Common.Views.SignDialog.textItalic": "Kurzíva", "Common.Views.SignDialog.textPurpose": "Účel podpisovania tohto dokumentu", + "Common.Views.SignDialog.textSelect": "Vybrať", "Common.Views.SignDialog.textSelectImage": "Vybrať obrázok", "Common.Views.SignDialog.textSignature": "Podpis vyzerá ako", "Common.Views.SignDialog.textTitle": "Podpísať dokument", @@ -283,6 +302,7 @@ "DE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", "DE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", "DE.Controllers.Main.errorFilePassProtect": "Dokument je chránený heslom a nie je možné ho otvoriť.", + "DE.Controllers.Main.errorForceSave": "Pri ukladaní súboru sa vyskytla chyba. Ak chcete súbor uložiť na pevný disk počítača, použite možnosť 'Prevziať ako' alebo to skúste znova neskôr.", "DE.Controllers.Main.errorKeyEncrypt": "Neznámy kľúč deskriptoru", "DE.Controllers.Main.errorKeyExpire": "Kľúč deskriptora vypršal", "DE.Controllers.Main.errorMailMergeLoadFile": "Načítavanie zlyhalo", @@ -334,6 +354,7 @@ "DE.Controllers.Main.textAnonymous": "Anonymný", "DE.Controllers.Main.textBuyNow": "Navštíviť webovú stránku", "DE.Controllers.Main.textChangesSaved": "Všetky zmeny boli uložené", + "DE.Controllers.Main.textClose": "Zatvoriť", "DE.Controllers.Main.textCloseTip": "Kliknutím zavrite tip", "DE.Controllers.Main.textContactUs": "Kontaktujte predajcu", "DE.Controllers.Main.textLoadingDocument": "Načítavanie dokumentu", @@ -739,6 +760,13 @@ "DE.Controllers.Toolbar.txtSymbol_vdots": "Vertikálna elipsa/vypustenie", "DE.Controllers.Toolbar.txtSymbol_xsi": "Ksí ", "DE.Controllers.Toolbar.txtSymbol_zeta": "Zéta", + "DE.Controllers.Viewport.textFitPage": "Prispôsobiť na stranu", + "DE.Controllers.Viewport.textFitWidth": "Prispôsobiť na šírku", + "DE.Views.BookmarksDialog.textAdd": "Pridať", + "DE.Views.BookmarksDialog.textBookmarkName": "Názov záložky", + "DE.Views.BookmarksDialog.textClose": "Zatvoriť", + "DE.Views.BookmarksDialog.textDelete": "Vymazať", + "DE.Views.BookmarksDialog.textTitle": "Záložky", "DE.Views.ChartSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "DE.Views.ChartSettings.textArea": "Plošný graf", "DE.Views.ChartSettings.textBar": "Pruhový graf", @@ -766,6 +794,8 @@ "DE.Views.ChartSettings.txtTitle": "Graf", "DE.Views.ChartSettings.txtTopAndBottom": "Hore a dole", "DE.Views.ControlSettingsDialog.cancelButtonText": "Zrušiť", + "DE.Views.ControlSettingsDialog.okButtonText": "OK", + "DE.Views.ControlSettingsDialog.textNewColor": "Pridať novú vlastnú farbu", "DE.Views.CustomColumnsDialog.cancelButtonText": "Zrušiť", "DE.Views.CustomColumnsDialog.okButtonText": "Ok", "DE.Views.CustomColumnsDialog.textColumns": "Počet stĺpcov", @@ -844,6 +874,8 @@ "DE.Views.DocumentHolder.textCopy": "Kopírovať", "DE.Views.DocumentHolder.textCut": "Vystrihnúť", "DE.Views.DocumentHolder.textEditWrapBoundary": "Upraviť okrajovú obálku", + "DE.Views.DocumentHolder.textFromFile": "Zo súboru", + "DE.Views.DocumentHolder.textFromUrl": "Z URL adresy ", "DE.Views.DocumentHolder.textNextPage": "Ďalšia stránka", "DE.Views.DocumentHolder.textPaste": "Vložiť", "DE.Views.DocumentHolder.textPrevPage": "Predchádzajúca strana", @@ -985,7 +1017,7 @@ "DE.Views.DropcapSettingsAdvanced.tipFontName": "Písmo", "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "Bez orámovania", "DE.Views.FileMenu.btnBackCaption": "Prejsť do Dokumentov", - "DE.Views.FileMenu.btnCloseMenuCaption": "Zavrieť menu", + "DE.Views.FileMenu.btnCloseMenuCaption": "Zatvoriť menu", "DE.Views.FileMenu.btnCreateNewCaption": "Vytvoriť nový", "DE.Views.FileMenu.btnDownloadCaption": "Stiahnuť ako...", "DE.Views.FileMenu.btnHelpCaption": "Pomoc...", @@ -1024,6 +1056,7 @@ "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby s oprávneniami", "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "Ochrániť dokument", "DE.Views.FileMenuPanels.ProtectDoc.strSignature": "Podpis", + "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Upraviť dokument", "DE.Views.FileMenuPanels.Settings.okButtonText": "Použiť", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Zapnúť tipy zarovnávania", "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Zapnúť automatickú obnovu", @@ -1068,6 +1101,7 @@ "DE.Views.FileMenuPanels.Settings.txtWin": "ako Windows", "DE.Views.HeaderFooterSettings.textBottomCenter": "Dole v strede", "DE.Views.HeaderFooterSettings.textBottomLeft": "Dole vľavo", + "DE.Views.HeaderFooterSettings.textBottomPage": "Spodná časť stránky", "DE.Views.HeaderFooterSettings.textBottomRight": "Dole vpravo", "DE.Views.HeaderFooterSettings.textDiffFirst": "Odlišná prvá stránka", "DE.Views.HeaderFooterSettings.textDiffOdd": "Rozdielne nepárne a párne stránky", @@ -1084,9 +1118,11 @@ "DE.Views.HyperlinkSettingsDialog.okButtonText": "OK", "DE.Views.HyperlinkSettingsDialog.textDefault": "Vybraný textový úryvok", "DE.Views.HyperlinkSettingsDialog.textDisplay": "Zobraziť", + "DE.Views.HyperlinkSettingsDialog.textExternal": "Externý odkaz", "DE.Views.HyperlinkSettingsDialog.textTitle": "Nastavenie hypertextového odkazu", "DE.Views.HyperlinkSettingsDialog.textTooltip": "Popis", "DE.Views.HyperlinkSettingsDialog.textUrl": "Odkaz na", + "DE.Views.HyperlinkSettingsDialog.txtBookmarks": "Záložky", "DE.Views.HyperlinkSettingsDialog.txtEmpty": "Toto pole sa vyžaduje", "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "Toto pole by malo byť vo formáte 'http://www.example.com'", "DE.Views.ImageSettings.textAdvanced": "Zobraziť pokročilé nastavenia", @@ -1186,6 +1222,9 @@ "DE.Views.LeftMenu.tipTitles": "Nadpisy", "DE.Views.LeftMenu.txtDeveloper": "VÝVOJÁRSKY REŽIM", "DE.Views.LeftMenu.txtTrial": "Skúšobný režim", + "DE.Views.Links.capBtnBookmarks": "Záložka", + "DE.Views.Links.capBtnInsFootnote": "Poznámka pod čiarou", + "DE.Views.Links.mniDelFootnote": "Odstrániť všetky poznámky pod čiarou", "DE.Views.Links.textContentsSettings": "Nastavenia", "DE.Views.Links.tipInsertHyperlink": "Pridať odkaz", "DE.Views.MailMergeEmailDlg.cancelButtonText": "Zrušiť", @@ -1240,6 +1279,7 @@ "DE.Views.MailMergeSettings.txtPrev": "K predchádzajúcemu záznamu", "DE.Views.MailMergeSettings.txtUntitled": "Neoznačený", "DE.Views.MailMergeSettings.warnProcessMailMerge": "Spustenie zlúčenia zlyhalo", + "DE.Views.Navigation.txtExpand": "Rozbaliť všetko", "DE.Views.NoteSettingsDialog.textApply": "Použiť", "DE.Views.NoteSettingsDialog.textApplyTo": "Použiť zmeny na", "DE.Views.NoteSettingsDialog.textCancel": "Zrušiť", @@ -1259,6 +1299,8 @@ "DE.Views.NoteSettingsDialog.textStart": "Začať na", "DE.Views.NoteSettingsDialog.textTextBottom": "Pod textom", "DE.Views.NoteSettingsDialog.textTitle": "Nastavenia poznámok", + "DE.Views.NumberingValueDialog.cancelButtonText": "Zrušiť", + "DE.Views.NumberingValueDialog.okButtonText": "OK", "DE.Views.PageMarginsDialog.cancelButtonText": "Zrušiť", "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "Upozornenie", "DE.Views.PageMarginsDialog.okButtonText": "OK", @@ -1420,6 +1462,8 @@ "DE.Views.StyleTitleDialog.txtEmpty": "Toto pole sa vyžaduje", "DE.Views.StyleTitleDialog.txtNotEmpty": "Pole nesmie byť prázdne", "DE.Views.TableOfContentsSettings.cancelButtonText": "Zrušiť", + "DE.Views.TableOfContentsSettings.okButtonText ": "OK", + "DE.Views.TableOfContentsSettings.textStyle": "Štýl", "DE.Views.TableSettings.deleteColumnText": "Odstrániť stĺpec", "DE.Views.TableSettings.deleteRowText": "Odstrániť riadok", "DE.Views.TableSettings.deleteTableText": "Odstrániť tabuľku", @@ -1441,6 +1485,7 @@ "DE.Views.TableSettings.textBorderColor": "Farba", "DE.Views.TableSettings.textBorders": "Štýl orámovania", "DE.Views.TableSettings.textCancel": "Zrušiť", + "DE.Views.TableSettings.textCellSize": "Veľkosť bunky", "DE.Views.TableSettings.textColumns": "Stĺpce", "DE.Views.TableSettings.textEdit": "Riadky a stĺpce", "DE.Views.TableSettings.textEmptyTemplate": "Žiadne šablóny", diff --git a/apps/documenteditor/main/locale/zh.json b/apps/documenteditor/main/locale/zh.json index c49869d7f..35cf9bafa 100644 --- a/apps/documenteditor/main/locale/zh.json +++ b/apps/documenteditor/main/locale/zh.json @@ -1,16 +1,16 @@ { - "Common.Controllers.Chat.notcriticalErrorTitle": "警告中", + "Common.Controllers.Chat.notcriticalErrorTitle": "警告", "Common.Controllers.Chat.textEnterMessage": "在这里输入你的信息", "Common.Controllers.Chat.textUserLimit": "您正在使用ONLYOFFICE免费版。
只有两个用户可以同时共同编辑文档。
想要更多?考虑购买ONLYOFFICE企业版。
阅读更多内容", "Common.Controllers.ExternalDiagramEditor.textAnonymous": "匿名", "Common.Controllers.ExternalDiagramEditor.textClose": "关闭", "Common.Controllers.ExternalDiagramEditor.warningText": "该对象被禁用,因为它被另一个用户编辑。", - "Common.Controllers.ExternalDiagramEditor.warningTitle": "警告中", + "Common.Controllers.ExternalDiagramEditor.warningTitle": "警告", "Common.Controllers.ExternalMergeEditor.textAnonymous": "匿名", "Common.Controllers.ExternalMergeEditor.textClose": "关闭", "Common.Controllers.ExternalMergeEditor.warningText": "该对象被禁用,因为它被另一个用户编辑。", - "Common.Controllers.ExternalMergeEditor.warningTitle": "警告中", - "Common.Controllers.History.notcriticalErrorTitle": "警告中", + "Common.Controllers.ExternalMergeEditor.warningTitle": "警告", + "Common.Controllers.History.notcriticalErrorTitle": "警告", "Common.Controllers.ReviewChanges.textAtLeast": "至少", "Common.Controllers.ReviewChanges.textAuto": "自动", "Common.Controllers.ReviewChanges.textBaseline": "基线", @@ -35,14 +35,14 @@ "Common.Controllers.ReviewChanges.textInserted": "插入:", "Common.Controllers.ReviewChanges.textItalic": "斜体", "Common.Controllers.ReviewChanges.textJustify": "仅对齐", - "Common.Controllers.ReviewChanges.textKeepLines": "保持一条线上", + "Common.Controllers.ReviewChanges.textKeepLines": "保持同一行", "Common.Controllers.ReviewChanges.textKeepNext": "与下一个保持一致", "Common.Controllers.ReviewChanges.textLeft": "左对齐", "Common.Controllers.ReviewChanges.textLineSpacing": "行间距:", "Common.Controllers.ReviewChanges.textMultiple": "多", "Common.Controllers.ReviewChanges.textNoBreakBefore": "之前没有分页", "Common.Controllers.ReviewChanges.textNoContextual": "在相同样式的段落之间添加间隔", - "Common.Controllers.ReviewChanges.textNoKeepLines": "不要把线保持在一起", + "Common.Controllers.ReviewChanges.textNoKeepLines": "不要保持一行", "Common.Controllers.ReviewChanges.textNoKeepNext": "不要跟着下一个", "Common.Controllers.ReviewChanges.textNot": "不", "Common.Controllers.ReviewChanges.textNoWidow": "没有单独控制", @@ -54,7 +54,7 @@ "Common.Controllers.ReviewChanges.textRight": "右对齐", "Common.Controllers.ReviewChanges.textShape": "形状", "Common.Controllers.ReviewChanges.textShd": "背景颜色", - "Common.Controllers.ReviewChanges.textSmallCaps": "小帽子", + "Common.Controllers.ReviewChanges.textSmallCaps": "小写", "Common.Controllers.ReviewChanges.textSpacing": "间距", "Common.Controllers.ReviewChanges.textSpacingAfter": "间隔", "Common.Controllers.ReviewChanges.textSpacingBefore": "之前的距离", @@ -64,8 +64,8 @@ "Common.Controllers.ReviewChanges.textTabs": "更改选项卡", "Common.Controllers.ReviewChanges.textUnderline": "下划线", "Common.Controllers.ReviewChanges.textWidow": "视窗控制", - "Common.UI.ComboBorderSize.txtNoBorders": "没有边界", - "Common.UI.ComboBorderSizeEditable.txtNoBorders": "没有边界", + "Common.UI.ComboBorderSize.txtNoBorders": "没有边框", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "没有边框", "Common.UI.ComboDataView.emptyComboText": "没有风格", "Common.UI.ExtendedColorDialog.addButtonText": "添加", "Common.UI.ExtendedColorDialog.cancelButtonText": "取消", @@ -79,7 +79,7 @@ "Common.UI.SearchDialog.textReplaceDef": "输入替换文字", "Common.UI.SearchDialog.textSearchStart": "在这里输入你的文字", "Common.UI.SearchDialog.textTitle": "查找和替换", - "Common.UI.SearchDialog.textTitle2": "发现", + "Common.UI.SearchDialog.textTitle2": "查找", "Common.UI.SearchDialog.textWholeWords": "只有整个字", "Common.UI.SearchDialog.txtBtnHideReplace": "隐藏替换", "Common.UI.SearchDialog.txtBtnReplace": "替换", @@ -96,7 +96,7 @@ "Common.UI.Window.textDontShow": "不要再显示此消息", "Common.UI.Window.textError": "错误:", "Common.UI.Window.textInformation": "信息", - "Common.UI.Window.textWarning": "警告中", + "Common.UI.Window.textWarning": "警告", "Common.UI.Window.yesButtonText": "是", "Common.Utils.Metric.txtCm": "厘米", "Common.Utils.Metric.txtPt": "像素", @@ -104,7 +104,7 @@ "Common.Views.About.txtLicensee": "被许可人", "Common.Views.About.txtLicensor": "许可", "Common.Views.About.txtMail": "电子邮件:", - "Common.Views.About.txtPoweredBy": "供电", + "Common.Views.About.txtPoweredBy": "技术支持", "Common.Views.About.txtTel": "电话:", "Common.Views.About.txtVersion": "版本", "Common.Views.AdvancedSettingsWindow.cancelButtonText": "取消", @@ -187,7 +187,7 @@ "Common.Views.ReviewChanges.txtRejectCurrent": "拒绝当前的变化", "DE.Controllers.LeftMenu.leavePageText": "本文档中的所有未保存的更改都将丢失。
单击“取消”,然后单击“保存”保存。单击“确定”以放弃所有未保存的更改。", "DE.Controllers.LeftMenu.newDocumentTitle": "未命名的文档", - "DE.Controllers.LeftMenu.notcriticalErrorTitle": "警告中", + "DE.Controllers.LeftMenu.notcriticalErrorTitle": "警告", "DE.Controllers.LeftMenu.requestEditRightsText": "请求编辑权限..", "DE.Controllers.LeftMenu.textLoadHistory": "载入版本历史记录...", "DE.Controllers.LeftMenu.textNoTextFound": "您搜索的数据无法找到。请调整您的搜索选项。", @@ -242,7 +242,7 @@ "DE.Controllers.Main.loadingDocumentTitleText": "文件加载中…", "DE.Controllers.Main.mailMergeLoadFileText": "原始数据加载中…", "DE.Controllers.Main.mailMergeLoadFileTitle": "原始数据加载中…", - "DE.Controllers.Main.notcriticalErrorTitle": "警告中", + "DE.Controllers.Main.notcriticalErrorTitle": "警告", "DE.Controllers.Main.openErrorText": "打开文件时发生错误", "DE.Controllers.Main.openTextText": "打开文件...", "DE.Controllers.Main.openTitleText": "正在打开文件", @@ -323,7 +323,7 @@ "DE.Controllers.Statusbar.textTrackChanges": "打开文档,并启用“跟踪更改”模式", "DE.Controllers.Statusbar.zoomText": "缩放%{0}", "DE.Controllers.Toolbar.confirmAddFontName": "您要保存的字体在当前设备上不可用。
使用其中一种系统字体显示文本样式,当可用时将使用保存的字体。
是否要继续?", - "DE.Controllers.Toolbar.notcriticalErrorTitle": "警告中", + "DE.Controllers.Toolbar.notcriticalErrorTitle": "警告", "DE.Controllers.Toolbar.textAccent": "口音", "DE.Controllers.Toolbar.textBracket": "括号", "DE.Controllers.Toolbar.textEmptyImgUrl": "您需要指定图像URL。", @@ -338,7 +338,7 @@ "DE.Controllers.Toolbar.textRadical": "自由基", "DE.Controllers.Toolbar.textScript": "脚本", "DE.Controllers.Toolbar.textSymbols": "符号", - "DE.Controllers.Toolbar.textWarning": "警告中", + "DE.Controllers.Toolbar.textWarning": "警告", "DE.Controllers.Toolbar.txtAccent_Accent": "急性", "DE.Controllers.Toolbar.txtAccent_ArrowD": "右上方的箭头在上方", "DE.Controllers.Toolbar.txtAccent_ArrowL": "向左箭头", @@ -721,7 +721,7 @@ "DE.Views.DocumentHolder.insertRowBelowText": "下面的行", "DE.Views.DocumentHolder.insertRowText": "插入行", "DE.Views.DocumentHolder.insertText": "插入", - "DE.Views.DocumentHolder.keepLinesText": "保持一条线上", + "DE.Views.DocumentHolder.keepLinesText": "保持同一行", "DE.Views.DocumentHolder.langText": "选择语言", "DE.Views.DocumentHolder.leftText": "左", "DE.Views.DocumentHolder.loadSpellText": "加载变体...", @@ -892,7 +892,7 @@ "DE.Views.DropcapSettingsAdvanced.textVertical": "垂直", "DE.Views.DropcapSettingsAdvanced.textWidth": "宽度", "DE.Views.DropcapSettingsAdvanced.tipFontName": "字体名称", - "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "没有边界", + "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "没有边框", "DE.Views.FileMenu.btnBackCaption": "转到文档", "DE.Views.FileMenu.btnCloseMenuCaption": "关闭菜单", "DE.Views.FileMenu.btnCreateNewCaption": "新建", @@ -931,9 +931,9 @@ "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "更改访问权限", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "有权利的人", "DE.Views.FileMenuPanels.Settings.okButtonText": "应用", - "DE.Views.FileMenuPanels.Settings.strAlignGuides": "打开校准指南", + "DE.Views.FileMenuPanels.Settings.strAlignGuides": "打开对齐指南", "DE.Views.FileMenuPanels.Settings.strAutoRecover": "打开自动复原", - "DE.Views.FileMenuPanels.Settings.strAutosave": "拐弯就自动保存", + "DE.Views.FileMenuPanels.Settings.strAutosave": "打开自动保存", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "共同编辑模式", "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "其他用户将一次看到您的更改", "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "您将需要接受更改才能看到它们", @@ -1111,7 +1111,7 @@ "DE.Views.MailMergeSaveDlg.textTitle": "保存文件夹", "DE.Views.MailMergeSettings.downloadMergeTitle": "合并", "DE.Views.MailMergeSettings.errorMailMergeSaveFile": "合并失败", - "DE.Views.MailMergeSettings.notcriticalErrorTitle": "警告中", + "DE.Views.MailMergeSettings.notcriticalErrorTitle": "警告", "DE.Views.MailMergeSettings.textAddRecipients": "首先将一些收件人添加到列表中", "DE.Views.MailMergeSettings.textAll": "所有记录", "DE.Views.MailMergeSettings.textCurrent": "当前记录", @@ -1161,7 +1161,7 @@ "DE.Views.NoteSettingsDialog.textTextBottom": "文字下方", "DE.Views.NoteSettingsDialog.textTitle": "笔记设置", "DE.Views.PageMarginsDialog.cancelButtonText": "取消", - "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "警告中", + "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "警告", "DE.Views.PageMarginsDialog.okButtonText": "确定", "DE.Views.PageMarginsDialog.textBottom": "底部", "DE.Views.PageMarginsDialog.textLeft": "左", @@ -1198,14 +1198,14 @@ "DE.Views.ParagraphSettingsAdvanced.strIndentsFirstLine": "第一行", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "对", - "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "保持一条线上", + "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.strParagraphPosition": "放置", - "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小帽子", + "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小写", "DE.Views.ParagraphSettingsAdvanced.strStrike": "删除线", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "下标", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "上标", @@ -1241,7 +1241,7 @@ "DE.Views.ParagraphSettingsAdvanced.tipOuter": "仅限外部边框", "DE.Views.ParagraphSettingsAdvanced.tipRight": "设置右边框", "DE.Views.ParagraphSettingsAdvanced.tipTop": "仅限顶部边框", - "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "没有边界", + "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "没有边框", "DE.Views.RightMenu.txtChartSettings": "图表设置", "DE.Views.RightMenu.txtHeaderFooterSettings": "页眉和页脚设置", "DE.Views.RightMenu.txtImageSettings": "图像设置", @@ -1357,7 +1357,7 @@ "DE.Views.TableSettings.tipOuter": "仅限外部边框", "DE.Views.TableSettings.tipRight": "仅设置外边界", "DE.Views.TableSettings.tipTop": "仅限外部边框", - "DE.Views.TableSettings.txtNoBorders": "没有边界", + "DE.Views.TableSettings.txtNoBorders": "没有边框", "DE.Views.TableSettingsAdvanced.cancelButtonText": "取消", "DE.Views.TableSettingsAdvanced.okButtonText": "确定", "DE.Views.TableSettingsAdvanced.textAlign": "校准", @@ -1430,7 +1430,7 @@ "DE.Views.TableSettingsAdvanced.tipTableOuterCellOuter": "为内细胞设置表外边界和外边界", "DE.Views.TableSettingsAdvanced.txtCm": "厘米", "DE.Views.TableSettingsAdvanced.txtInch": "寸", - "DE.Views.TableSettingsAdvanced.txtNoBorders": "没有边界", + "DE.Views.TableSettingsAdvanced.txtNoBorders": "没有边框", "DE.Views.TableSettingsAdvanced.txtPercent": "百分", "DE.Views.TableSettingsAdvanced.txtPt": "点", "DE.Views.TextArtSettings.strColor": "颜色", diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm index 83642f476..85a5dc8c0 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm @@ -27,7 +27,7 @@ DOC Dateierweiterung für Textverarbeitungsdokumente, die mit Microsoft Word erstellt werden + - + + diff --git a/apps/documenteditor/main/resources/help/de/search/indexes.js b/apps/documenteditor/main/resources/help/de/search/indexes.js index 0b093406f..19d9e30f3 100644 --- a/apps/documenteditor/main/resources/help/de/search/indexes.js +++ b/apps/documenteditor/main/resources/help/de/search/indexes.js @@ -43,7 +43,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Unterstützte Formate von elektronischen Dokumenten", - "body": "Elektronische Dokumente stellen die am meisten benutzte Computerdateien dar. Dank des inzwischen hoch entwickelten Computernetzwerks ist es bequemer anstatt von gedruckten Dokumenten elektronische Dokumente zu verbreiten. Aufgrund der Vielfältigkeit der Geräte, die für die Anzeige der Dokumente verwendet werden, gibt es viele proprietäre und offene Dateiformate. Der Dokumenteneditor unterstützt die geläufigsten Formate. Format Beschreibung Anzeigen Bearbeiten Download DOC Dateierweiterung für Textverarbeitungsdokumente, die mit Microsoft Word erstellt werden + + DOCX Office Open XML Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten + + + ODT Textverarbeitungsformat von OpenDocument, ein offener Standard für elektronische Dokumente + + + RTF Rich Text Format Plattformunabhängiges Datei- und Datenaustauschformat von Microsoft für formatierte Texte + + + TXT Dateierweiterung reiner Textdateien mit wenig Formatierung + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können + + HTML HyperText Markup Language Hauptauszeichnungssprache für Webseiten + EPUB Electronic Publication Offener Standard für E-Books vom International Digital Publishing Forum + XPS Open XML Paper Specification Offenes, lizenzfreies Dokumentenformat von Microsoft mit festem Layout + DjVu Dateiformat, das hauptsächlich zur Speicherung gescannter Dokumente (vor allem solcher mit Text, Rastergrafiken und Fotos) konzipiert wurde +" + "body": "Elektronische Dokumente stellen die am meisten benutzte Computerdateien dar. Dank des inzwischen hoch entwickelten Computernetzwerks ist es bequemer anstatt von gedruckten Dokumenten elektronische Dokumente zu verbreiten. Aufgrund der Vielfältigkeit der Geräte, die für die Anzeige der Dokumente verwendet werden, gibt es viele proprietäre und offene Dateiformate. Der Dokumenteneditor unterstützt die geläufigsten Formate. Format Beschreibung Anzeigen Bearbeiten Download DOC Dateierweiterung für Textverarbeitungsdokumente, die mit Microsoft Word erstellt werden + DOCX Office Open XML Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten + + + ODT Textverarbeitungsformat von OpenDocument, ein offener Standard für elektronische Dokumente + + + RTF Rich Text Format Plattformunabhängiges Datei- und Datenaustauschformat von Microsoft für formatierte Texte + + + TXT Dateierweiterung reiner Textdateien mit wenig Formatierung + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können + + HTML HyperText Markup Language Hauptauszeichnungssprache für Webseiten + EPUB Electronic Publication Offener Standard für E-Books vom International Digital Publishing Forum + XPS Open XML Paper Specification Offenes, lizenzfreies Dokumentenformat von Microsoft mit festem Layout + DjVu Dateiformat, das hauptsächlich zur Speicherung gescannter Dokumente (vor allem solcher mit Text, Rastergrafiken und Fotos) konzipiert wurde +" }, { "id": "ProgramInterface/FileTab.htm", diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index c92a6bbb0..7a0139400 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -30,7 +30,7 @@ DOC Filename extension for word processing documents created with Microsoft Word + - + + diff --git a/apps/documenteditor/main/resources/help/en/search/indexes.js b/apps/documenteditor/main/resources/help/en/search/indexes.js index 4cdaac5a3..708253ef0 100644 --- a/apps/documenteditor/main/resources/help/en/search/indexes.js +++ b/apps/documenteditor/main/resources/help/en/search/indexes.js @@ -43,7 +43,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Electronic Documents", - "body": "Electronic documents represent one of the most commonly used computer files. Thanks to the computer network highly developed nowadays, it's possible and more convenient to distribute electronic documents than printed ones. Due to the variety of devices used for document presentation, there are a lot of proprietary and open file formats. Document Editor handles the most popular of them. Formats Description View Edit Download DOC Filename extension for word processing documents created with Microsoft Word + + DOCX Office Open XML Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + ODT Word processing file format of OpenDocument, an open standard for electronic documents + + + RTF Rich Text Format Document file format developed by Microsoft for cross-platform document interchange + + + TXT Filename extension for text files usually containing very little formatting + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems + + HTML HyperText Markup Language The main markup language for web pages + EPUB Electronic Publication Free and open e-book standard created by the International Digital Publishing Forum + XPS Open XML Paper Specification Open royalty-free fixed-layout document format developed by Microsoft + DjVu File format designed primarily to store scanned documents, especially those containing a combination of text, line drawings, and photographs +" + "body": "Electronic documents represent one of the most commonly used computer files. Thanks to the computer network highly developed nowadays, it's possible and more convenient to distribute electronic documents than printed ones. Due to the variety of devices used for document presentation, there are a lot of proprietary and open file formats. Document Editor handles the most popular of them. Formats Description View Edit Download DOC Filename extension for word processing documents created with Microsoft Word + DOCX Office Open XML Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + ODT Word processing file format of OpenDocument, an open standard for electronic documents + + + RTF Rich Text Format Document file format developed by Microsoft for cross-platform document interchange + + + TXT Filename extension for text files usually containing very little formatting + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems + + HTML HyperText Markup Language The main markup language for web pages + EPUB Electronic Publication Free and open e-book standard created by the International Digital Publishing Forum + XPS Open XML Paper Specification Open royalty-free fixed-layout document format developed by Microsoft + DjVu File format designed primarily to store scanned documents, especially those containing a combination of text, line drawings, and photographs +" }, { "id": "ProgramInterface/FileTab.htm", diff --git a/apps/documenteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm index 1cc590527..4189bb470 100644 --- a/apps/documenteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm @@ -27,7 +27,7 @@ DOC Extensión de archivo para los documentos de texto creados con Microsoft Word + - + + diff --git a/apps/documenteditor/main/resources/help/es/search/indexes.js b/apps/documenteditor/main/resources/help/es/search/indexes.js index f36c2ffd4..11f832f33 100644 --- a/apps/documenteditor/main/resources/help/es/search/indexes.js +++ b/apps/documenteditor/main/resources/help/es/search/indexes.js @@ -3,7 +3,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "Sobre el editor de documentos", - "body": "El Editor de documentos es una aplicación en línea que le permite revisar y editar documentos directamente en su navegador . Cuando usa el Editor de documentos, puede realizar varias operaciones de edición como en cualquier editor desktop, imprimir los documentos editados manteniendo todos los detalles de formato o descargarlos en el disco duro de su ordenador como archivos PDF, TXT, DOCX, ODT o HTML. Para ver la versión de software actual y los detalles de licenciador, haga clic en el icono en la barra de menú a la izquierda." + "body": "El Editor de documentos es una aplicación en línea que le permite revisar y editar documentos directamente en su navegador . Cuando usa el Editor de documentos, puede realizar varias operaciones de edición como en cualquier editor desktop, imprimir los documentos editados manteniendo todos los detalles de formato o descargarlos en el disco duro de su ordenador como archivos DOCX, PDF, TXT, ODT, RTF o HTML. Para ver la versión de software actual y los detalles de licenciador, haga clic en el icono en la barra de menú a la izquierda." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -18,7 +18,7 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Atajos de teclado", - "body": "Trabajando con Documento Abrir panel 'Archivo' Alt+F Abre el panel Archivo para guardar, descargar, imprimir el documento corriente, revisar la información, crear un documento nuevo o abrir uno que ya existe, acceder a ayuda o a ajustes avanzados del editor de documentos. Abrir panel de 'Búsqueda' Ctrl+F Abre el panel Búsqueda para empezar a buscar un carácter/palabra/frase en el documento actualmente editado. Abrir panel 'Comentarios' Ctrl+Shift+H Abre el panel Comentarios para añadir su propio comentario o contestar a comentarios de otros usuarios. Abrir campo de comentarios Alt+H Abre un campo a donde usted puede añadir un texto o su comentario. Abrir panel 'Chat' Alt+Q Abre el panel Chat y envía un mensaje. Guardar documento Ctrl+S Guarde todos los cambios del documento actualmente editado usando el editor de documentos. Imprimir documento Ctrl+P Imprime el documento usando una de las impresoras o guárdalo en un archivo. Descargar como... Ctrl+Shift+S Guarda el documento actualmente editado en la unidad de disco duro del ordenador en uno de los formatos admitidos: PDF, TXT, DOCX, DOC, ODT, RTF, HTML, EPUB. Pantalla completa F11 Cambia a vista de pantalla completa para ajustar el editor de documentos a su pantalla. Menú de ayuda F1 Abre el menú de Ayuda de el editor de documentos. Navegación Saltar al principio de la línea Inicio Poner el cursor al principio de la línea actualmente editada . Saltar al principio del documento Ctrl+Home Poner el cursor al principio del documento actualmente editado. Saltar al fin de la línea Fin Mete el cursor al fin de la línea actualmente editada. Saltar al pie del documento Ctrl+End Poner el cursor al pie del documento actualmente editado. Desplazar abajo PgDn Desplaza el documento aproximadamente una página visible abajo. Desplazar arriba PgUp Desplaza el documento aproximadamente una página visible arriba. Página siguiente Alt+PgDn Traslada a la página siguiente del documento actualmente editado. Página anterior Alt+PgUp Traslada a la página anterior del documento actualmente editado. Acercar Ctrl++ Acerca el documento actualmente editado. Alejar Ctrl+- Aleja el documento actualmente editado. Escribiendo Terminar párrafo Enter Termina el párrafo corriente y empieza el otro. Añadir salto de línea Shift+Enter Añade un salto de línea sin empezar el párrafo nuevo. Borrar Backspace, Eliminar Borra un carácter a la izquierda (Backspace) o a la derecha (Delete) del cursor. Crear espacio de no separación Ctrl+Shift+Spacebar Crea un espacio entre caracteres que no puede ser usado para empezar la línea nueva. Crear guión de no separación Ctrl+Shift+Hyphen Crea a guión entre caracteres que no puede ser usado para empezar la línea nueva. Deshacer y Rehacer Deshacer Ctrl+Z Invierte las últimas acciones realizadas. Rehacer Ctrl+Y Repite la última acción deshecha. Cortar, copiar, y pegar Cortar Ctrl+X, Shift+Delete Elimina el fragmento de texto seleccionado y lo envía al portapapeles de su ordenador. Después el texto copiado se puede insertar en el otro lugar del mismo documento, en otro documento o en otro programa. Copiar Ctrl+C, Ctrl+Insert Envía el fragmento seleccionado de texto a la memoria portapapeles de su ordenador. Después el texto copiado se puede insertar en el otro lugar del mismo documento, en otro documento o en otro programa. Pegar Ctrl+V, Shift+Insert Inserta el fragmento anteriormente copiado de texto de memoria portapapeles del ordenador en la posición corriente del cursor. El texto se puede copiar anteriormente del mismo documento, de otro documento o de otro programa . Insertar hiperenlace Ctrl+K Inserta un hiperenlace que puede ser usado para ir a la dirección web. Copiar estilo Ctrl+Shift+C Copia el formato del fragmento seleccionado del texto actualmente editado. Después el formato copiado puede ser aplicado al otro fragmento del mismo texto. Aplicar estilo Ctrl+Shift+V Aplica el formato anteriormente copiado al texto del documento actualmente editado. Selección de texto Seleccionar todo Ctrl+A Selecciona todo el texto del documento con tablas y imágenes. Seleccionar fragmento Shift+Flecha Selecciona el texto carácter por carácter. Seleccionar de cursor a principio de línea. Shift+Home Selecciona un fragmento del texto del cursor al principio de la línea actual. Seleccionar de cursor a extremo de línea Shift+End Selecciona un fragmento del texto del cursor al extremo de la línea actual. Estilo de texto Negrita Ctrl+B Pone la letra de un fragmento del texto seleccionado en negrita dándole más peso. Cursiva Ctrl+I Pone un fragmento del texto seleccionado en cursiva dándole el plano inclinado a la derecha. Subrayado Ctrl+U Subraya un fragmento del texto seleccionado. Tachado Ctrl+5 Aplica el estilo tachado a un fragmento de texto seleccionado. Sobreíndice Ctrl+.(punto) Pone un fragmento del texto seleccionado en letras pequeñas y lo ubica en la parte baja de la línea del texto, como en formulas químicas. Subíndice Ctrl+,(coma) Pone un fragmento del texto seleccionado en letras pequeñas y lo ubica en la parte superior de la línea del texto, por ejemplo como en fracciones. Heading 1 Alt+1 (for Windows and Linux browsers) Alt+Ctrl+1 (for Mac browsers) Aplica el estilo de título 1 a un fragmento del texto seleccionado. Heading 2 Alt+2 (for Windows and Linux browsers) Alt+Ctrl+2 (for Mac browsers) Aplica el estilo de título 2 a un fragmento del texto seleccionado. Heading 3 Alt+3 (for Windows and Linux browsers) Alt+Ctrl+3 (for Mac browsers) Aplica el estilo de título 3 a un fragmento del texto seleccionado. Lista con viñetas Ctrl+Shift+L Crea una lista con viñetas desordenada de un fragmento del texto seleccionado o inicia uno nuevo. Eliminar formato Ctrl+Spacebar Elimina el formato de un fragmento del texto seleccionado. Aumenta el tipo de letra Ctrl+] Aumenta el tamaño de las letras de un fragmento del texto seleccionado en un punto. Disminuye el tipo de letra Ctrl+[ Disminuye el tamaño de las letras de un fragmento del texto seleccionado en un punto. Alinea centro/izquierda Ctrl+E Alterna un párrafo entre el centro y alineado a la izquierda. Alinea justificado/izquierda Ctrl+J, Ctrl+L Cambia un párrafo entre justificado y alineado a la izquierda. Alinea derecha /izquierda Ctrl+R Alterna un párrafo entre alineado a la derecha y alineado a la izquierda. Aumentar sangría Ctrl+M Aumenta la sangría del párrafo de la izquierda incrementalmente. Disminuir sangría Ctrl+Shift+M Disminuye la sangría del párrafo de la izquierda incrementalmente. Add page number Ctrl+Shift+P Add the current page number to the text or to the page footer. Modificación de objetos Limitar movimiento Shift+drag Limita el movimiento del objeto seleccionado en su desplace horizontal o vertical. Estableсer rotación en 15 grados Shift+arrastrar(mientras rotación) Limita el ángulo de rotación al incremento de 15 grados. Mantener proporciones Shift+arrastrar(mientras redimensionamiento) Mantiene las proporciones del objeto seleccionado mientras redimensionamiento. Desplazar en incrementos de tres píxeles Ctrl Mantenga apretada la tecla Ctrl y use las flechas del teclado para desplazar el objeto seleccionado un píxel cada vez." + "body": "Trabajando con Documento Abrir panel 'Archivo' Alt+F Abre el panel Archivo para guardar, descargar, imprimir el documento corriente, revisar la información, crear un documento nuevo o abrir uno que ya existe, acceder a ayuda o a ajustes avanzados del editor de documentos. Abrir panel de 'Búsqueda' Ctrl+F Abre el panel Búsqueda para empezar a buscar un carácter/palabra/frase en el documento actualmente editado. Abrir panel 'Comentarios' Ctrl+Shift+H Abre el panel Comentarios para añadir su propio comentario o contestar a comentarios de otros usuarios. Abrir campo de comentarios Alt+H Abre un campo a donde usted puede añadir un texto o su comentario. Abrir panel 'Chat' Alt+Q Abre el panel Chat y envía un mensaje. Guardar documento Ctrl+S Guarde todos los cambios del documento actualmente editado usando el editor de documentos. Imprimir documento Ctrl+P Imprime el documento usando una de las impresoras o guárdalo en un archivo. Descargar como... Ctrl+Shift+S Guarda el documento actualmente editado en la unidad de disco duro del ordenador en uno de los formatos admitidos: DOCX, PDF, TXT, ODT, RTF, HTML. Pantalla completa F11 Cambia a vista de pantalla completa para ajustar el editor de documentos a su pantalla. Menú de ayuda F1 Abre el menú de Ayuda de el editor de documentos. Navegación Saltar al principio de la línea Inicio Poner el cursor al principio de la línea actualmente editada . Saltar al principio del documento Ctrl+Home Poner el cursor al principio del documento actualmente editado. Saltar al fin de la línea Fin Mete el cursor al fin de la línea actualmente editada. Saltar al pie del documento Ctrl+End Poner el cursor al pie del documento actualmente editado. Desplazar abajo PgDn Desplaza el documento aproximadamente una página visible abajo. Desplazar arriba PgUp Desplaza el documento aproximadamente una página visible arriba. Página siguiente Alt+PgDn Traslada a la página siguiente del documento actualmente editado. Página anterior Alt+PgUp Traslada a la página anterior del documento actualmente editado. Acercar Ctrl++ Acerca el documento actualmente editado. Alejar Ctrl+- Aleja el documento actualmente editado. Escribiendo Terminar párrafo Enter Termina el párrafo corriente y empieza el otro. Añadir salto de línea Shift+Enter Añade un salto de línea sin empezar el párrafo nuevo. Borrar Backspace, Eliminar Borra un carácter a la izquierda (Backspace) o a la derecha (Delete) del cursor. Crear espacio de no separación Ctrl+Shift+Spacebar Crea un espacio entre caracteres que no puede ser usado para empezar la línea nueva. Crear guión de no separación Ctrl+Shift+Hyphen Crea a guión entre caracteres que no puede ser usado para empezar la línea nueva. Deshacer y Rehacer Deshacer Ctrl+Z Invierte las últimas acciones realizadas. Rehacer Ctrl+Y Repite la última acción deshecha. Cortar, copiar, y pegar Cortar Ctrl+X, Shift+Delete Elimina el fragmento de texto seleccionado y lo envía al portapapeles de su ordenador. Después el texto copiado se puede insertar en el otro lugar del mismo documento, en otro documento o en otro programa. Copiar Ctrl+C, Ctrl+Insert Envía el fragmento seleccionado de texto a la memoria portapapeles de su ordenador. Después el texto copiado se puede insertar en el otro lugar del mismo documento, en otro documento o en otro programa. Pegar Ctrl+V, Shift+Insert Inserta el fragmento anteriormente copiado de texto de memoria portapapeles del ordenador en la posición corriente del cursor. El texto se puede copiar anteriormente del mismo documento, de otro documento o de otro programa . Insertar hiperenlace Ctrl+K Inserta un hiperenlace que puede ser usado para ir a la dirección web. Copiar estilo Ctrl+Shift+C Copia el formato del fragmento seleccionado del texto actualmente editado. Después el formato copiado puede ser aplicado al otro fragmento del mismo texto. Aplicar estilo Ctrl+Shift+V Aplica el formato anteriormente copiado al texto del documento actualmente editado. Selección de texto Seleccionar todo Ctrl+A Selecciona todo el texto del documento con tablas y imágenes. Seleccionar fragmento Shift+Flecha Selecciona el texto carácter por carácter. Seleccionar de cursor a principio de línea. Shift+Home Selecciona un fragmento del texto del cursor al principio de la línea actual. Seleccionar de cursor a extremo de línea Shift+End Selecciona un fragmento del texto del cursor al extremo de la línea actual. Estilo de texto Negrita Ctrl+B Pone la letra de un fragmento del texto seleccionado en negrita dándole más peso. Cursiva Ctrl+I Pone un fragmento del texto seleccionado en cursiva dándole el plano inclinado a la derecha. Subrayado Ctrl+U Subraya un fragmento del texto seleccionado. Tachado Ctrl+5 Aplica el estilo tachado a un fragmento de texto seleccionado. Sobreíndice Ctrl+.(punto) Pone un fragmento del texto seleccionado en letras pequeñas y lo ubica en la parte baja de la línea del texto, como en formulas químicas. Subíndice Ctrl+,(coma) Pone un fragmento del texto seleccionado en letras pequeñas y lo ubica en la parte superior de la línea del texto, por ejemplo como en fracciones. Heading 1 Alt+1 (for Windows and Linux browsers) Alt+Ctrl+1 (for Mac browsers) Aplica el estilo de título 1 a un fragmento del texto seleccionado. Heading 2 Alt+2 (for Windows and Linux browsers) Alt+Ctrl+2 (for Mac browsers) Aplica el estilo de título 2 a un fragmento del texto seleccionado. Heading 3 Alt+3 (for Windows and Linux browsers) Alt+Ctrl+3 (for Mac browsers) Aplica el estilo de título 3 a un fragmento del texto seleccionado. Lista con viñetas Ctrl+Shift+L Crea una lista con viñetas desordenada de un fragmento del texto seleccionado o inicia uno nuevo. Eliminar formato Ctrl+Spacebar Elimina el formato de un fragmento del texto seleccionado. Aumenta el tipo de letra Ctrl+] Aumenta el tamaño de las letras de un fragmento del texto seleccionado en un punto. Disminuye el tipo de letra Ctrl+[ Disminuye el tamaño de las letras de un fragmento del texto seleccionado en un punto. Alinea centro/izquierda Ctrl+E Alterna un párrafo entre el centro y alineado a la izquierda. Alinea justificado/izquierda Ctrl+J, Ctrl+L Cambia un párrafo entre justificado y alineado a la izquierda. Alinea derecha /izquierda Ctrl+R Alterna un párrafo entre alineado a la derecha y alineado a la izquierda. Aumentar sangría Ctrl+M Aumenta la sangría del párrafo de la izquierda incrementalmente. Disminuir sangría Ctrl+Shift+M Disminuye la sangría del párrafo de la izquierda incrementalmente. Add page number Ctrl+Shift+P Add the current page number to the text or to the page footer. Modificación de objetos Limitar movimiento Shift+drag Limita el movimiento del objeto seleccionado en su desplace horizontal o vertical. Estableсer rotación en 15 grados Shift+arrastrar(mientras rotación) Limita el ángulo de rotación al incremento de 15 grados. Mantener proporciones Shift+arrastrar(mientras redimensionamiento) Mantiene las proporciones del objeto seleccionado mientras redimensionamiento. Desplazar en incrementos de tres píxeles Ctrl Mantenga apretada la tecla Ctrl y use las flechas del teclado para desplazar el objeto seleccionado un píxel cada vez." }, { "id": "HelpfulHints/Navigation.htm", @@ -43,7 +43,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formatos Soportados de Documentos Electrónicos", - "body": "Documentos electrónicos representan uno de los archivos infórmaticos más comúnmente utilizados. Gracias a un nivel alto de desarrollo de las redes infórmaticas actuales es más conveniente distribuir documentos de forma electrónica. Debido a una variedad de dispositivos usados para presentación de documentos existen muchos formatos de archivos patentados y abiertos. Document Editor soporta los formatos más populares. Formatos Descripción Ver Editar Descargar DOC Extensión de archivo para los documentos de texto creados con Microsoft Word + + DOCX Office Open XML Formato de archivo desarrollado por Microsoft basado en XML, comprimido usando la tecnología ZIP se usa para presentación de hojas de cálculo, gráficos, presentaciones y documentos de texto + + + ODT Formato de los archivos de texto OpenDocument, un estándar abierto para documentos electrónicos + + + RTF Rich Text Format Formato de archivos de documentos desarrollado por Microsoft para intercambio de documentos entre plataformas + + TXT Extensión de archivo para archivos de texto que normalmente contiene un formateo mínimo + + + PDF Formato de documento portátil es un formato de archivo usado para la representación de documentos de manera independiente de software de aplicación, hardware, y sistema operativo + + HTML HyperText Markup Language Lenguaje de marcado principal para páginas web + EPUB Electronic Publication Estándar abierto y gratuito para libros electrónicos creado por el Foro Internacional de Publicación Digital (International Digital Publishing Forum) + XPS Open XML Paper Specification Formato de documento abierto de diseño fijo desarrollado por Microsoft + DjVu Formato de archivo diseñado principalmente para almacenar los documentos escaneados, especialmente para tales que contienen una combinación de texto, imágenes y fotografías +" + "body": "Documentos electrónicos representan uno de los archivos infórmaticos más comúnmente utilizados. Gracias a un nivel alto de desarrollo de las redes infórmaticas actuales es más conveniente distribuir documentos de forma electrónica. Debido a una variedad de dispositivos usados para presentación de documentos existen muchos formatos de archivos patentados y abiertos. Document Editor soporta los formatos más populares. Formatos Descripción Ver Editar Descargar DOC Extensión de archivo para los documentos de texto creados con Microsoft Word + DOCX Office Open XML Formato de archivo desarrollado por Microsoft basado en XML, comprimido usando la tecnología ZIP se usa para presentación de hojas de cálculo, gráficos, presentaciones y documentos de texto + + + ODT Formato de los archivos de texto OpenDocument, un estándar abierto para documentos electrónicos + + + RTF Rich Text Format Formato de archivos de documentos desarrollado por Microsoft para intercambio de documentos entre plataformas + + + TXT Extensión de archivo para archivos de texto que normalmente contiene un formateo mínimo + + + PDF Formato de documento portátil es un formato de archivo usado para la representación de documentos de manera independiente de software de aplicación, hardware, y sistema operativo + + HTML HyperText Markup Language Lenguaje de marcado principal para páginas web + EPUB Electronic Publication Estándar abierto y gratuito para libros electrónicos creado por el Foro Internacional de Publicación Digital (International Digital Publishing Forum) + XPS Open XML Paper Specification Formato de documento abierto de diseño fijo desarrollado por Microsoft + DjVu Formato de archivo diseñado principalmente para almacenar los documentos escaneados, especialmente para tales que contienen una combinación de texto, imágenes y fotografías +" }, { "id": "ProgramInterface/FileTab.htm", @@ -188,7 +188,7 @@ var indexes = { "id": "UsageInstructions/InsertHeadersFooters.htm", "title": "Inserte encabezados y pies de página", - "body": "Para añadir encabezados o pies de página a su documento o editar los existentes, cambie a la pestaña Insertar de la barra de herramientas superior, pulse el icono Editar encabezado y pie de página en la barra de herramientas superior, seleccione una de las opciones siguientes: Editar encabezado para insertar o editar el texto de encabezado. Editar pie de página para insertar o editar el texto de pie de página. cambie los parámetros actuales de encabezados y pies de página en la barra lateral derecha: Fije Posición del texto respecto a la parte superior (para encabezados) o inferior (para pies) de la página. Marque la casilla Primera página deferente para aplicar un encabezado o pie de página diferente o si usted no quiere añadir qualquier encabezado/pie a la primera página. Use la casilla Páginas impares y pares diferentes para añadir encabezados/pies de página diferentes a páginas impares y pares. La opción Enlazar con anterior está disponible si usted ha añadido las secciones a su documento. Si no, la opción estará desactivada. Además, esta opción también está desactivada para la primera sección (es decir, cuando un encabezado o pie de la primera sección está seleccionado). De manera predeterminada, la casilla está desactivada, para que los mismos encabezados/pies de página se apliquen a todas las secciones. Si usted selecciona el área de encabezado o pie de página, verá que el área está marcada con la etiqueta Como antes. Desmarque la casilla Enlazar con anterior para usar encabezados/pies diferentes para cada sección del documento. La etiqueta Como antes será ocultada. Para introducir un texto o editar el texto añadido y ajustar parámetros de encabezados y pies de página, usted también puede hacer doble clic en la parte superior o inferior de la página o hacer el clic con el botón derecha y seleccionar la única opción de menú - Editar encabezado o Editar pie de página. Para pasar al documento haga doble clic en la área de trabajo. El texto que usted usa como un encabezado o un pie de página será mostrado en gris. Nota: por favor pase a la sección Insertar número de página para informarse como añadir números de páginas a su documento." + "body": "Para añadir encabezados o pies de página a su documento o editar los existentes, cambie a la pestaña Insertar de la barra de herramientas superior, pulse el icono Editar encabezado y pie de página en la barra de herramientas superior, seleccione una de las opciones siguientes: Editar encabezado para insertar o editar el texto de encabezado. Editar pie de página para insertar o editar el texto de pie de página. cambie los parámetros actuales de encabezados y pies de página en la barra lateral derecha: Fije Posición del texto respecto a la parte superior (para encabezados) o inferior (para pies) de la página. Marque la casilla Primera página deferente para aplicar un encabezado o pie de página diferente o si usted no quiere añadir qualquier encabezado/pie a la primera página. Use la casilla Páginas impares y pares diferentes para añadir encabezados/pies de página diferentes a páginas impares y pares. La opción Enlazar con anterior está disponible si usted ha añadido las secciones a su documento. Si no, la opción estará desactivada. Además, esta opción también está desactivada para la primera sección (es decir, cuando un encabezado o pie de la primera sección está seleccionado). De manera predeterminada, la casilla está desactivada, para que los mismos encabezados/pies de página se apliquen a todas las secciones. Si usted selecciona el área de encabezado o pie de página, verá que el área está marcada con la etiqueta Igual al Anterior. Desmarque la casilla Enlazar con anterior para usar encabezados/pies diferentes para cada sección del documento. La etiqueta Igual al Anterior será ocultada. Para introducir un texto o editar el texto añadido y ajustar parámetros de encabezados y pies de página, usted también puede hacer doble clic en la parte superior o inferior de la página o hacer el clic con el botón derecha y seleccionar la única opción de menú - Editar encabezado o Editar pie de página. Para pasar al documento haga doble clic en la área de trabajo. El texto que usted usa como un encabezado o un pie de página será mostrado en gris. Nota: por favor pase a la sección Insertar número de página para informarse como añadir números de páginas a su documento." }, { "id": "UsageInstructions/InsertImages.htm", @@ -198,7 +198,7 @@ var indexes = { "id": "UsageInstructions/InsertPageNumbers.htm", "title": "Inserte números de páginas", - "body": "Para insertar números de las páginas en su documento, cambie a la pestaña Insertar de la barra de herramientas superior, pulse el icono Encabezado/pie de página en la barra de herramientas superior, elija el submenú Insertar número de página, seleccione una de las opciones siguientes: Para meter número en cada página de su documento, seleccione la posición de número en la página. Para insertar número en la posición de cursor actual, seleccione la opción Posición actual. Para insertar el número de páginas total en su documento (por ejemplo, si quiere crear la entrada de Página X de Y): ponga el cursos donde quiera insertar el número total de páginas, pulse el icono Editar encabezado y pie de página en la barra de herramientas superior, Seleccione la opción de Insertar número de páginas. Para editar los ajustes del número de la página, haga doble clic en el número de página añadido, cambie los parámetros actuales en la barra derecha lateral: Fije Posición del texto respecto a la parte superior (para encabezados) o inferior (para pies) de la página. Marque la casilla Primera página deferente para aplicar un encabezado o pie de página diferente o si usted no quiere añadir qualquier encabezado/pie a la primera página. Use la casilla Páginas impares y pares diferentes para añadir encabezados/pies de página diferentes a páginas impares y pares. La opción Enlazar con anterior está disponible si usted ha añadido las secciones a su documento. Si no, la opción estará desactivada. Además, esta opción está tampoco desactivada para la primera sección (es decir, cuando un encabezado o pie de la primera sección está seleccionado). De manera predeterminada, la casilla está desactivada, para que los mismos encabezados/pies de página se apliquen a todas las secciones. Si selecciona el área de encabezado o pie de página, verá que el área está marcada con la etiqueta Como antes. Desmarque la casilla Enlazar con anterior para usar encabezados/pies diferentes para cada sección del documento. La etiqueta Como antes se ocultará. Para volver a editar el documento haga doble clic en el área de trabajo." + "body": "Para insertar números de las páginas en su documento, cambie a la pestaña Insertar de la barra de herramientas superior, pulse el icono Encabezado/pie de página en la barra de herramientas superior, elija el submenú Insertar número de página, seleccione una de las opciones siguientes: Para meter número en cada página de su documento, seleccione la posición de número en la página. Para insertar número en la posición de cursor actual, seleccione la opción Posición actual. Para insertar el número de páginas total en su documento (por ejemplo, si quiere crear la entrada de Página X de Y): ponga el cursos donde quiera insertar el número total de páginas, pulse el icono Editar encabezado y pie de página en la barra de herramientas superior, Seleccione la opción de Insertar número de páginas. Para editar los ajustes del número de la página, haga doble clic en el número de página añadido, cambie los parámetros actuales en la barra derecha lateral: Fije Posición del texto respecto a la parte superior (para encabezados) o inferior (para pies) de la página. Marque la casilla Primera página deferente para aplicar un encabezado o pie de página diferente o si usted no quiere añadir qualquier encabezado/pie a la primera página. Use la casilla Páginas impares y pares diferentes para añadir encabezados/pies de página diferentes a páginas impares y pares. La opción Enlazar con anterior está disponible si usted ha añadido las secciones a su documento. Si no, la opción estará desactivada. Además, esta opción está tampoco desactivada para la primera sección (es decir, cuando un encabezado o pie de la primera sección está seleccionado). De manera predeterminada, la casilla está desactivada, para que los mismos encabezados/pies de página se apliquen a todas las secciones. Si selecciona el área de encabezado o pie de página, verá que el área está marcada con la etiqueta Igual al Anterior. Desmarque la casilla Enlazar con anterior para usar encabezados/pies diferentes para cada sección del documento. La etiqueta Igual al Anterior se ocultará. Para volver a editar el documento haga doble clic en el área de trabajo." }, { "id": "UsageInstructions/InsertTables.htm", @@ -238,7 +238,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Guarde/imprima/descargue su documento", - "body": "Cuando usted trabaja en su documento el editor de documentos guarda su archivo cada 2 segundos automáticamente preveniendo la pérdida de datos en caso de un cierre inesperado del programa. Si co-edita el archivo en el modo Rápido, el tiempo requerido para actualizaciones es de 25 cada segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias prsonas a la vez, los cambios se guardan cada 10 minutos. Se puede fácilmente desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar su documento actual manualmente, pulse el icono Guardar en la barra de herramientas superior, o use la combinación de las teclas Ctrl+S, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Guardar. Para descargar el documento resultante en el disco duro de su ordenador, haga clic en la pestaña Archivo de la barra de herramientas superior, seleccione la opción Descargar como..., elija uno de los formatos disponibles dependiendo en sus necesidades: PDF, TXT, DOCX, DOC, ODT, RTF, HTML, EPUB. Para imprimir el documento corriente, pulse el icono Imprimir en la barra de herramientas superior, o use la combinación de las teclas Ctrl+P, o pulse el icono Archivo en la barra de herramientas y seleccione la opción Imprimir. Luego el archivo PDF, basándose en el documento editado, será creado. Puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde." + "body": "Cuando usted trabaja en su documento el editor de documentos guarda su archivo cada 2 segundos automáticamente preveniendo la pérdida de datos en caso de un cierre inesperado del programa. Si co-edita el archivo en el modo Rápido, el tiempo requerido para actualizaciones es de 25 cada segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias prsonas a la vez, los cambios se guardan cada 10 minutos. Se puede fácilmente desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar su documento actual manualmente, pulse el icono Guardar en la barra de herramientas superior, o use la combinación de las teclas Ctrl+S, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Guardar. Para descargar el documento resultante en el disco duro de su ordenador, haga clic en la pestaña Archivo de la barra de herramientas superior, seleccione la opción Descargar como..., elija uno de los formatos disponibles dependiendo en sus necesidades: DOCX, PDF, TXT, ODT, RTF, HTML. Para imprimir el documento corriente, pulse el icono Imprimir en la barra de herramientas superior, o use la combinación de las teclas Ctrl+P, o pulse el icono Archivo en la barra de herramientas y seleccione la opción Imprimir. Luego el archivo PDF, basándose en el documento editado, será creado. Puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde." }, { "id": "UsageInstructions/SectionBreaks.htm", diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm index 1c4f21bac..86206c7dc 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm @@ -27,7 +27,7 @@ DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + - + + diff --git a/apps/documenteditor/main/resources/help/fr/search/indexes.js b/apps/documenteditor/main/resources/help/fr/search/indexes.js index bec669329..3acdf2355 100644 --- a/apps/documenteditor/main/resources/help/fr/search/indexes.js +++ b/apps/documenteditor/main/resources/help/fr/search/indexes.js @@ -43,7 +43,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formats des documents électroniques pris en charge", - "body": "Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires. Formats Description Affichage Edition Téléchargement DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + + DOCX Office Open XML Le format de fichier compressé basé sur XML développé par Microsoft pour représenter des feuilles de calcul et les graphiques, les présentations et les document du traitement textuel + + + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + + + RTF Rich Text Format Le format de fichier du document développé par Microsoft pour la multiplateforme d'échange des documents + + + TXT L'extension de nom de fichier pour les fichiers de texte contenant habituellement une mise en forme minimale + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + + HTML HyperText Markup Language Le principale langage de balisage pour les pages web + EPUB Electronic Publication Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum + XPS Open XML Paper Specification Le format ouvert de la mise en page fixe, libre de redevance créé par Microsoft + DjVu Le format de fichier conçu principalement pour stocker les documents numérisés, en particulier ceux qui contiennent une combinaison du texte, des dessins au trait et des photographies +" + "body": "Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires. Formats Description Affichage Edition Téléchargement DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + DOCX Office Open XML Le format de fichier compressé basé sur XML développé par Microsoft pour représenter des feuilles de calcul et les graphiques, les présentations et les document du traitement textuel + + + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + + + RTF Rich Text Format Le format de fichier du document développé par Microsoft pour la multiplateforme d'échange des documents + + + TXT L'extension de nom de fichier pour les fichiers de texte contenant habituellement une mise en forme minimale + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + + HTML HyperText Markup Language Le principale langage de balisage pour les pages web + EPUB Electronic Publication Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum + XPS Open XML Paper Specification Le format ouvert de la mise en page fixe, libre de redevance créé par Microsoft + DjVu Le format de fichier conçu principalement pour stocker les documents numérisés, en particulier ceux qui contiennent une combinaison du texte, des dessins au trait et des photographies +" }, { "id": "ProgramInterface/FileTab.htm", diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index 2b53f603e..da5f7e815 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -30,7 +30,7 @@ DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + - + + diff --git a/apps/documenteditor/main/resources/help/ru/search/indexes.js b/apps/documenteditor/main/resources/help/ru/search/indexes.js index 52dd7d07f..9966f6417 100644 --- a/apps/documenteditor/main/resources/help/ru/search/indexes.js +++ b/apps/documenteditor/main/resources/help/ru/search/indexes.js @@ -43,7 +43,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных документов", - "body": "Электронные документы - это одни из наиболее широко используемых компьютерных файлов. Благодаря высокому уровню развития современных компьютерных сетей распространять электронные документы становится удобнее, чем печатные. Многообразие устройств, используемых для представления документов, обуславливает большое количество проприетарных и открытых файловых форматов. Редактор документов работает с самыми популярными из них. Форматы Описание Просмотр Редактирование Скачивание DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + + DOCX Office Open XML разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + ODT Формат текстовых файлов OpenDocument, открытый стандарт для электронных документов + + + RTF Rich Text Format Формат документов, разработанный компанией Microsoft, для кроссплатформенного обмена документами + + + TXT Расширение имени файла для текстовых файлов, как правило, с минимальным форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + + HTML HyperText Markup Language Основной язык разметки веб-страниц + EPUB Electronic Publication Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum) + XPS Open XML Paper Specification Открытый бесплатный формат фиксированной разметки, разработанный компанией Microsoft + DjVu Формат файлов, предназначенный главным образом для хранения отсканированных документов, особенно тех, которые содержат комбинацию текста, рисунков и фотографий +" + "body": "Электронные документы - это одни из наиболее широко используемых компьютерных файлов. Благодаря высокому уровню развития современных компьютерных сетей распространять электронные документы становится удобнее, чем печатные. Многообразие устройств, используемых для представления документов, обуславливает большое количество проприетарных и открытых файловых форматов. Редактор документов работает с самыми популярными из них. Форматы Описание Просмотр Редактирование Скачивание DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + DOCX Office Open XML разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + ODT Формат текстовых файлов OpenDocument, открытый стандарт для электронных документов + + + RTF Rich Text Format Формат документов, разработанный компанией Microsoft, для кроссплатформенного обмена документами + + + TXT Расширение имени файла для текстовых файлов, как правило, с минимальным форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + + HTML HyperText Markup Language Основной язык разметки веб-страниц + EPUB Electronic Publication Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum) + XPS Open XML Paper Specification Открытый бесплатный формат фиксированной разметки, разработанный компанией Microsoft + DjVu Формат файлов, предназначенный главным образом для хранения отсканированных документов, особенно тех, которые содержат комбинацию текста, рисунков и фотографий +" }, { "id": "ProgramInterface/FileTab.htm", diff --git a/apps/documenteditor/mobile/app/controller/Main.js b/apps/documenteditor/mobile/app/controller/Main.js index a0a9c853b..5840d1604 100644 --- a/apps/documenteditor/mobile/app/controller/Main.js +++ b/apps/documenteditor/mobile/app/controller/Main.js @@ -306,6 +306,11 @@ define([ }, onDownloadAs: function() { + if ( !this.appOptions.canDownload && !this.appOptions.canDownloadOrigin) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + this._state.isFromGatewayDownloadAs = true; var type = /^(?:(pdf|djvu|xps))$/.exec(this.document.fileType); @@ -316,9 +321,9 @@ define([ } }, - goBack: function() { + goBack: function(current) { var href = this.appOptions.customization.goback.url; - if (this.appOptions.customization.goback.blank!==false) { + if (!current && this.appOptions.customization.goback.blank!==false) { window.open(href, "_blank"); } else { parent.location.href = href; @@ -485,8 +490,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) uiApp.closeModal(this._state.openDlg); @@ -579,6 +582,7 @@ define([ me.applyLicense(); $(document).on('contextmenu', _.bind(me.onContextMenu, me)); + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -841,7 +845,7 @@ define([ break; case Asc.c_oAscError.ID.CoAuthoringDisconnect: - config.msg = (this.appOptions.isEdit) ? this.errorCoAuthoringDisconnect : this.errorViewerDisconnect; + config.msg = this.errorViewerDisconnect; break; case Asc.c_oAscError.ID.ConvertationPassword: @@ -889,6 +893,10 @@ define([ config.msg = this.errorDataEncrypted; break; + case Asc.c_oAscError.ID.AccessDeny: + config.msg = this.errorAccessDeny; + break; + default: config.msg = this.errorDefaultMessage.replace('%1', id); break; @@ -906,7 +914,7 @@ define([ if (this.appOptions.canBackToFolder && !this.appOptions.isDesktopApp) { config.msg += '

' + this.criticalErrorExtText; config.callback = function() { - Common.NotificationCenter.trigger('goback'); + Common.NotificationCenter.trigger('goback', true); } } if (id == Asc.c_oAscError.ID.DataEncrypted) { @@ -1356,7 +1364,8 @@ define([ 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.', errorDataEncrypted: 'Encrypted changes have been received, they cannot be deciphered.', closeButtonText: 'Close File', - scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.' + scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.', + errorAccessDeny: 'You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.' } })(), DE.Controllers.Main || {})) }); \ No newline at end of file diff --git a/apps/documenteditor/mobile/app/controller/edit/EditChart.js b/apps/documenteditor/mobile/app/controller/edit/EditChart.js index 07d1bc962..ae251e88d 100644 --- a/apps/documenteditor/mobile/app/controller/edit/EditChart.js +++ b/apps/documenteditor/mobile/app/controller/edit/EditChart.js @@ -265,6 +265,8 @@ define([ }, _initBorderColorView: function () { + if (!_shapeObject) return; + var me = this, paletteBorderColor = me.getView('EditChart').paletteBorderColor, stroke = _shapeObject.get_ShapeProperties().get_stroke(); diff --git a/apps/documenteditor/mobile/app/controller/edit/EditShape.js b/apps/documenteditor/mobile/app/controller/edit/EditShape.js index 500c620f2..f0e783ab5 100644 --- a/apps/documenteditor/mobile/app/controller/edit/EditShape.js +++ b/apps/documenteditor/mobile/app/controller/edit/EditShape.js @@ -261,6 +261,8 @@ define([ }, _initBorderColorView: function () { + if (!_shapeObject) return; + var me = this, paletteBorderColor = me.getView('EditShape').paletteBorderColor, stroke = _shapeObject.get_ShapeProperties().get_stroke(); diff --git a/apps/documenteditor/mobile/locale/de.json b/apps/documenteditor/mobile/locale/de.json index b9aeb1d09..13fb18ac1 100644 --- a/apps/documenteditor/mobile/locale/de.json +++ b/apps/documenteditor/mobile/locale/de.json @@ -71,7 +71,7 @@ "DE.Controllers.Main.errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", "DE.Controllers.Main.errorUserDrop": "Kein Zugriff auf diese Datei ist möglich.", "DE.Controllers.Main.errorUsersExceed": "Die Anzahl der Benutzer ist überschritten ", - "DE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist verloren. Man kann das Dokument anschauen,
aber nicht herunterladen bis die Verbindung wiederhergestellt wird.", + "DE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist unterbrochen. Man kann das Dokument anschauen,
aber nicht herunterladen bis die Verbindung wiederhergestellt wird.", "DE.Controllers.Main.leavePageText": "Dieses Dokument enthält ungespeicherte Änderungen. Klicken Sie \"Auf dieser Seite bleiben\", um auf automatisches Speichern des Dokumentes zu warten. Klicken Sie \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", "DE.Controllers.Main.loadFontsTextText": "Daten werden geladen...", "DE.Controllers.Main.loadFontsTitleText": "Daten werden geladen", diff --git a/apps/documenteditor/mobile/locale/en.json b/apps/documenteditor/mobile/locale/en.json index 335c5e382..a3854480d 100644 --- a/apps/documenteditor/mobile/locale/en.json +++ b/apps/documenteditor/mobile/locale/en.json @@ -53,6 +53,7 @@ "DE.Controllers.Main.downloadMergeTitle": "Downloading", "DE.Controllers.Main.downloadTextText": "Downloading document...", "DE.Controllers.Main.downloadTitleText": "Downloading Document", + "DE.Controllers.Main.errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.", "DE.Controllers.Main.errorBadImageUrl": "Image URL is incorrect", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. You can't edit anymore.", "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", diff --git a/apps/documenteditor/mobile/locale/it.json b/apps/documenteditor/mobile/locale/it.json index 0a6fd2ac1..983ac0a64 100644 --- a/apps/documenteditor/mobile/locale/it.json +++ b/apps/documenteditor/mobile/locale/it.json @@ -96,6 +96,7 @@ "DE.Controllers.Main.savePreparingTitle": "Preparazione al salvataggio. Attendere prego...", "DE.Controllers.Main.saveTextText": "Salvataggio del documento in corso...", "DE.Controllers.Main.saveTitleText": "Salvataggio del documento", + "DE.Controllers.Main.scriptLoadError": "La connessione è troppo lenta, alcuni componenti non possono essere caricati. Si prega di ricaricare la pagina.", "DE.Controllers.Main.sendMergeText": "Sending Merge...", "DE.Controllers.Main.sendMergeTitle": "Invio unione", "DE.Controllers.Main.splitDividerErrorText": "Il numero di righe deve essere un divisore di %1", diff --git a/apps/documenteditor/mobile/locale/pl.json b/apps/documenteditor/mobile/locale/pl.json index d86b7d904..d9c1d7192 100644 --- a/apps/documenteditor/mobile/locale/pl.json +++ b/apps/documenteditor/mobile/locale/pl.json @@ -43,6 +43,7 @@ "DE.Controllers.Main.advTxtOptions": "Wybierz opcje TXT", "DE.Controllers.Main.applyChangesTextText": "Ładowanie danych...", "DE.Controllers.Main.applyChangesTitleText": "Ładowanie danych", + "DE.Controllers.Main.closeButtonText": "Zamknij plik", "DE.Controllers.Main.convertationTimeoutText": "Przekroczono limit czasu konwersji.", "DE.Controllers.Main.criticalErrorExtText": "Naciśnij \"OK\" aby powrócić do listy dokumentów.", "DE.Controllers.Main.criticalErrorTitle": "Błąd", @@ -338,7 +339,7 @@ "DE.Views.Search.textHighlight": "Podświetl wyniki", "DE.Views.Search.textReplace": "Zamień", "DE.Views.Search.textSearch": "Szukaj", - "DE.Views.Settings.textAbout": "O", + "DE.Views.Settings.textAbout": "O programie", "DE.Views.Settings.textAddress": "Adres", "DE.Views.Settings.textAuthor": "Autor", "DE.Views.Settings.textBack": "Powrót", diff --git a/apps/documenteditor/mobile/locale/sk.json b/apps/documenteditor/mobile/locale/sk.json index 0b166ce9f..b691394cf 100644 --- a/apps/documenteditor/mobile/locale/sk.json +++ b/apps/documenteditor/mobile/locale/sk.json @@ -43,6 +43,7 @@ "DE.Controllers.Main.advTxtOptions": "Vybrať možnosti TXT", "DE.Controllers.Main.applyChangesTextText": "Načítavanie dát...", "DE.Controllers.Main.applyChangesTitleText": "Načítavanie dát", + "DE.Controllers.Main.closeButtonText": "Zatvoriť súbor", "DE.Controllers.Main.convertationTimeoutText": "Prekročený čas konverzie.", "DE.Controllers.Main.criticalErrorExtText": "Stlačením tlačidla 'OK' sa vrátite do zoznamu dokumentov.", "DE.Controllers.Main.criticalErrorTitle": "Chyba", @@ -54,11 +55,11 @@ "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ť. 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", + "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", - "DE.Controllers.Main.errorFilePassProtect": "Dokument je chránený heslom.", + "DE.Controllers.Main.errorFilePassProtect": "Dokument je chránený heslom a nie je možné ho otvoriť.", "DE.Controllers.Main.errorKeyEncrypt": "Neznámy kľúč deskriptoru", "DE.Controllers.Main.errorKeyExpire": "Kľúč deskriptora vypršal", "DE.Controllers.Main.errorMailMergeLoadFile": "Načítavanie zlyhalo", diff --git a/apps/documenteditor/mobile/locale/uk.json b/apps/documenteditor/mobile/locale/uk.json index bb600446c..3781406da 100644 --- a/apps/documenteditor/mobile/locale/uk.json +++ b/apps/documenteditor/mobile/locale/uk.json @@ -69,7 +69,7 @@ "DE.Controllers.Main.errorUpdateVersion": "Версія файлу була змінена. Сторінка буде перезавантажена.", "DE.Controllers.Main.errorUserDrop": "На даний момент файл не доступний.", "DE.Controllers.Main.errorUsersExceed": "Кількість користувачів перевищено", - "DE.Controllers.Main.errorViewerDisconnect": "З'єднання втрачено. Ви все ще можете переглянути документ

, але не зможете завантажувати його до відновлення.", + "DE.Controllers.Main.errorViewerDisconnect": "З'єднання втрачено. Ви все ще можете переглянути документ
, але не зможете завантажувати його до відновлення.", "DE.Controllers.Main.leavePageText": "У цьому документі є незбережені зміни. Натисніть \"Залишатися на цій сторінці\", щоб дочекатись автоматичного збереження документа. Натисніть \"Покинути цю сторінку\", щоб відхилити всі незбережені зміни.", "DE.Controllers.Main.loadFontsTextText": "Завантаження дати...", "DE.Controllers.Main.loadFontsTitleText": "Дата завантаження", diff --git a/apps/documenteditor/mobile/locale/zh.json b/apps/documenteditor/mobile/locale/zh.json index 937036cb5..558f9f63f 100644 --- a/apps/documenteditor/mobile/locale/zh.json +++ b/apps/documenteditor/mobile/locale/zh.json @@ -83,7 +83,7 @@ "DE.Controllers.Main.loadingDocumentTitleText": "文件加载中…", "DE.Controllers.Main.mailMergeLoadFileText": "原始数据加载中…", "DE.Controllers.Main.mailMergeLoadFileTitle": "原始数据加载中…", - "DE.Controllers.Main.notcriticalErrorTitle": "警告中", + "DE.Controllers.Main.notcriticalErrorTitle": "警告", "DE.Controllers.Main.openErrorText": "打开文件时发生错误", "DE.Controllers.Main.openTextText": "打开文件...", "DE.Controllers.Main.openTitleText": "正在打开文件", @@ -119,6 +119,7 @@ "DE.Controllers.Main.txtArt": "你的文本在此", "DE.Controllers.Main.txtDiagramTitle": "图表标题", "DE.Controllers.Main.txtEditingMode": "设置编辑模式..", + "DE.Controllers.Main.txtHeader": "页眉", "DE.Controllers.Main.txtSeries": "系列", "DE.Controllers.Main.txtStyle_Heading_1": "标题1", "DE.Controllers.Main.txtStyle_Heading_2": "标题2", @@ -150,7 +151,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", "DE.Controllers.Search.textNoTextFound": "文本没找到", "DE.Controllers.Search.textReplaceAll": "全部替换", - "DE.Controllers.Settings.notcriticalErrorTitle": "警告中", + "DE.Controllers.Settings.notcriticalErrorTitle": "警告", "DE.Controllers.Settings.txtLoading": "载入中……", "DE.Controllers.Settings.unknownText": "未知", "DE.Controllers.Settings.warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
您确定要继续吗?", @@ -187,7 +188,7 @@ "DE.Views.AddOther.textRightTop": "右上", "DE.Views.AddOther.textSectionBreak": "部分中断", "DE.Views.AddOther.textTip": "屏幕提示", - "DE.Views.EditChart.textAlign": "排列", + "DE.Views.EditChart.textAlign": "对齐", "DE.Views.EditChart.textBack": "返回", "DE.Views.EditChart.textBackward": "向后移动", "DE.Views.EditChart.textBehind": "之后", @@ -218,7 +219,7 @@ "DE.Views.EditHyperlink.textRemove": "删除链接", "DE.Views.EditHyperlink.textTip": "屏幕提示", "DE.Views.EditImage.textAddress": "地址", - "DE.Views.EditImage.textAlign": "排列", + "DE.Views.EditImage.textAlign": "对齐", "DE.Views.EditImage.textBack": "返回", "DE.Views.EditImage.textBackward": "向后移动", "DE.Views.EditImage.textBehind": "之后", @@ -252,7 +253,7 @@ "DE.Views.EditParagraph.textBackground": "背景", "DE.Views.EditParagraph.textBefore": "以前", "DE.Views.EditParagraph.textFromText": "文字距离", - "DE.Views.EditParagraph.textKeepLines": "保持一条线上", + "DE.Views.EditParagraph.textKeepLines": "保持同一行", "DE.Views.EditParagraph.textKeepNext": "与下一个保持一致", "DE.Views.EditParagraph.textOrphan": "单独控制", "DE.Views.EditParagraph.textPageBreak": "分页前", @@ -328,12 +329,12 @@ "DE.Views.EditText.textNone": "没有", "DE.Views.EditText.textNumbers": "数字", "DE.Views.EditText.textSize": "大小", - "DE.Views.EditText.textSmallCaps": "小帽子", + "DE.Views.EditText.textSmallCaps": "小写", "DE.Views.EditText.textStrikethrough": "删除线", "DE.Views.EditText.textSubscript": "下标", "DE.Views.Search.textCase": "区分大小写", "DE.Views.Search.textDone": "完成", - "DE.Views.Search.textFind": "发现", + "DE.Views.Search.textFind": "查找", "DE.Views.Search.textFindAndReplace": "查找和替换", "DE.Views.Search.textHighlight": "高亮效果", "DE.Views.Search.textReplace": "替换", @@ -354,7 +355,7 @@ "DE.Views.Settings.textDownloadAs": "下载为...", "DE.Views.Settings.textEditDoc": "编辑文档", "DE.Views.Settings.textEmail": "电子邮件", - "DE.Views.Settings.textFind": "发现", + "DE.Views.Settings.textFind": "查找", "DE.Views.Settings.textFindAndReplace": "查找和替换", "DE.Views.Settings.textFormat": "格式", "DE.Views.Settings.textHelp": "帮助", diff --git a/apps/presentationeditor/embed/js/ApplicationController.js b/apps/presentationeditor/embed/js/ApplicationController.js index 8c43b731f..2d00e2802 100644 --- a/apps/presentationeditor/embed/js/ApplicationController.js +++ b/apps/presentationeditor/embed/js/ApplicationController.js @@ -213,8 +213,6 @@ var ApplicationController = new(function(){ } function onDocumentContentReady() { - Common.Gateway.documentReady(); - api.ShowThumbnails(false); api.asc_DeleteVerticalScroll(); @@ -394,6 +392,7 @@ var ApplicationController = new(function(){ }); $('#btn-play').on('click', onPlayStart); + Common.Gateway.documentReady(); Common.Analytics.trackEvent('Load', 'Complete'); } @@ -553,6 +552,10 @@ var ApplicationController = new(function(){ } function onDownloadAs() { + if ( permissions.download === false) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, me.errorAccessDeny); + return; + } if (api) api.asc_DownloadAs(Asc.c_oAscFileType.PPTX, true); } // Helpers @@ -611,6 +614,7 @@ var ApplicationController = new(function(){ criticalErrorTitle : 'Error', notcriticalErrorTitle : 'Warning', scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.', - errorFilePassProtect: 'The file is password protected and cannot be opened.' + errorFilePassProtect: 'The file is password protected and cannot be opened.', + errorAccessDeny: 'You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.' } })(); diff --git a/apps/presentationeditor/main/app/controller/Main.js b/apps/presentationeditor/main/app/controller/Main.js index e16ee8f01..3114c960d 100644 --- a/apps/presentationeditor/main/app/controller/Main.js +++ b/apps/presentationeditor/main/app/controller/Main.js @@ -383,6 +383,12 @@ define([ }, onDownloadAs: function(format) { + if ( !this.appOptions.canDownload ) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + + this._state.isFromGatewayDownloadAs = true; var _format = (format && (typeof format == 'string')) ? Asc.c_oAscFileType[ format.toUpperCase() ] : null, _supported = [ Asc.c_oAscFileType.PPTX, @@ -409,11 +415,11 @@ define([ } }, - goBack: function() { + goBack: function(current) { var me = this; if ( !Common.Controllers.Desktop.process('goback') ) { var href = me.appOptions.customization.goback.url; - if (me.appOptions.customization.goback.blank!==false) { + if (!current && me.appOptions.customization.goback.blank!==false) { window.open(href, "_blank"); } else { parent.location.href = href; @@ -591,8 +597,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) this._state.openDlg.close(); @@ -758,6 +762,7 @@ define([ Common.Gateway.sendInfo({mode:me.appOptions.isEdit?'edit':'view'}); $(document).on('contextmenu', _.bind(me.onContextMenu, me)); + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -1190,9 +1195,9 @@ define([ if (this.appOptions.canBackToFolder && !this.appOptions.isDesktopApp && typeof id !== 'string') { config.msg += '

' + this.criticalErrorExtText; - config.fn = function(btn) { + config.callback = function(btn) { if (btn == 'ok') { - Common.NotificationCenter.trigger('goback'); + Common.NotificationCenter.trigger('goback', true); } } } @@ -1392,7 +1397,9 @@ define([ }, onDownloadUrl: function(url) { - Common.Gateway.downloadAs(url); + if (this._state.isFromGatewayDownloadAs) + Common.Gateway.downloadAs(url); + this._state.isFromGatewayDownloadAs = false; }, onUpdateVersion: function(callback) { @@ -1853,7 +1860,7 @@ define([ var variationsArr = [], pluginVisible = false; item.variations.forEach(function(itemVar){ - var visible = (isEdit || itemVar.isViewer) && _.contains(itemVar.EditorsSupport, 'slide'); + var visible = (isEdit || itemVar.isViewer && (itemVar.isDisplayedInViewer!==false)) && _.contains(itemVar.EditorsSupport, 'slide'); if ( visible ) pluginVisible = true; if ( item.isUICustomizer ) { @@ -1864,11 +1871,18 @@ define([ if (typeof itemVar.descriptionLocale == 'object') description = itemVar.descriptionLocale[lang] || itemVar.descriptionLocale['en'] || description || ''; + _.each(itemVar.buttons, function(b, index){ + if (typeof b.textLocale == 'object') + b.text = b.textLocale[lang] || b.textLocale['en'] || b.text || ''; + b.visible = (isEdit || b.isViewer !== false); + }); + model.set({ description: description, index: variationsArr.length, url: itemVar.url, icons: itemVar.icons, + buttons: itemVar.buttons, visible: visible }); diff --git a/apps/presentationeditor/main/app/controller/Toolbar.js b/apps/presentationeditor/main/app/controller/Toolbar.js index 9f72e073b..492f45054 100644 --- a/apps/presentationeditor/main/app/controller/Toolbar.js +++ b/apps/presentationeditor/main/app/controller/Toolbar.js @@ -2018,17 +2018,17 @@ define([ me.toolbar.addTab(tab, $panel, 3); me.toolbar.btnSave.on('disabled', _.bind(me.onBtnChangeState, me, 'save:disabled')); + // hide 'print' and 'save' buttons group and next separator + me.toolbar.btnPrint.$el.parents('.group').hide().next().hide(); + + // hide 'undo' and 'redo' buttons and get container + var $box = me.toolbar.btnUndo.$el.hide().next().hide().parent(); + + // move 'paste' button to the container instead of 'undo' and 'redo' + me.toolbar.btnPaste.$el.detach().appendTo($box); + me.toolbar.btnCopy.$el.removeClass('split'); + if ( config.isDesktopApp ) { - // hide 'print' and 'save' buttons group and next separator - me.toolbar.btnPrint.$el.parents('.group').hide().next().hide(); - - // hide 'undo' and 'redo' buttons and get container - var $box = me.toolbar.btnUndo.$el.hide().next().hide().parent(); - - // move 'paste' button to the container instead of 'undo' and 'redo' - me.toolbar.btnPaste.$el.detach().appendTo($box); - me.toolbar.btnCopy.$el.removeClass('split'); - if ( config.canProtect ) { // don't add protect panel to toolbar tab = {action: 'protect', caption: me.toolbar.textTabProtect}; $panel = me.getApplication().getController('Common.Controllers.Protection').createToolbarPanel(); diff --git a/apps/presentationeditor/main/app/controller/Viewport.js b/apps/presentationeditor/main/app/controller/Viewport.js index 5f464226a..0f04f3981 100644 --- a/apps/presentationeditor/main/app/controller/Viewport.js +++ b/apps/presentationeditor/main/app/controller/Viewport.js @@ -77,7 +77,8 @@ define([ 'render:before' : function (toolbar) { var config = PE.getController('Main').appOptions; toolbar.setExtra('right', me.header.getPanel('right', config)); - toolbar.setExtra('left', me.header.getPanel('left', config)); + if (!config.isEdit) + toolbar.setExtra('left', me.header.getPanel('left', config)); }, 'view:compact' : function (toolbar, state) { me.header.mnuitemCompactToolbar.setChecked(state, true); @@ -164,9 +165,10 @@ define([ me.viewport.vlayout.getItem('toolbar').height = _intvars.get('toolbar-height-compact'); } - if ( config.isDesktopApp && config.isEdit ) { + if ( config.isEdit ) { var $title = me.viewport.vlayout.getItem('title').el; $title.html(me.header.getPanel('title', config)).show(); + $title.find('.extra').html(me.header.getPanel('left', config)); var toolbar = me.viewport.vlayout.getItem('toolbar'); toolbar.el.addClass('top-title'); diff --git a/apps/presentationeditor/main/app/template/Toolbar.template b/apps/presentationeditor/main/app/template/Toolbar.template index 33e675bcd..60dd131f2 100644 --- a/apps/presentationeditor/main/app/template/Toolbar.template +++ b/apps/presentationeditor/main/app/template/Toolbar.template @@ -96,7 +96,7 @@
-
+
diff --git a/apps/presentationeditor/main/app/view/FileMenu.js b/apps/presentationeditor/main/app/view/FileMenu.js index 048cf6b3b..772e1dedc 100644 --- a/apps/presentationeditor/main/app/view/FileMenu.js +++ b/apps/presentationeditor/main/app/view/FileMenu.js @@ -235,7 +235,7 @@ define([ this.$el.show(); this.selectMenu(panel, defPanel); - this.api.asc_enableKeyEvents(false); + this.api && this.api.asc_enableKeyEvents(false); this.fireEvent('menu:show', [this]); }, @@ -243,7 +243,7 @@ define([ hide: function() { this.$el.hide(); this.fireEvent('menu:hide', [this]); - this.api.asc_enableKeyEvents(true); + this.api && this.api.asc_enableKeyEvents(true); }, applyMode: function() { diff --git a/apps/presentationeditor/main/app/view/ImageSettings.js b/apps/presentationeditor/main/app/view/ImageSettings.js index 4a13258f1..313f84233 100644 --- a/apps/presentationeditor/main/app/view/ImageSettings.js +++ b/apps/presentationeditor/main/app/view/ImageSettings.js @@ -310,7 +310,7 @@ define([ onBtnRotateClick: function(btn) { var properties = new Asc.asc_CImgProperty(); - properties.asc_putRot((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); + properties.asc_putRotAdd((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); this.api.ImgApply(properties); this.fireEvent('editcomplete', this); }, @@ -318,9 +318,9 @@ define([ onBtnFlipClick: function(btn) { var properties = new Asc.asc_CImgProperty(); if (btn.options.value==1) - properties.asc_putFlipH(true); + properties.asc_putFlipHInvert(true); else - properties.asc_putFlipV(true); + properties.asc_putFlipVInvert(true); this.api.ImgApply(properties); this.fireEvent('editcomplete', this); }, diff --git a/apps/presentationeditor/main/app/view/ShapeSettings.js b/apps/presentationeditor/main/app/view/ShapeSettings.js index b8d00c8fe..a4d8b716e 100644 --- a/apps/presentationeditor/main/app/view/ShapeSettings.js +++ b/apps/presentationeditor/main/app/view/ShapeSettings.js @@ -1590,7 +1590,7 @@ define([ onBtnRotateClick: function(btn) { var properties = new Asc.asc_CShapeProperty(); - properties.asc_putRot((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); + properties.asc_putRotAdd((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); this.api.ShapeApply(properties); this.fireEvent('editcomplete', this); }, @@ -1598,9 +1598,9 @@ define([ onBtnFlipClick: function(btn) { var properties = new Asc.asc_CShapeProperty(); if (btn.options.value==1) - properties.asc_putFlipH(true); + properties.asc_putFlipHInvert(true); else - properties.asc_putFlipV(true); + properties.asc_putFlipVInvert(true); this.api.ShapeApply(properties); this.fireEvent('editcomplete', this); }, diff --git a/apps/presentationeditor/main/app/view/Statusbar.js b/apps/presentationeditor/main/app/view/Statusbar.js index 37115083b..f1fb78d5f 100644 --- a/apps/presentationeditor/main/app/view/Statusbar.js +++ b/apps/presentationeditor/main/app/view/Statusbar.js @@ -392,7 +392,7 @@ define([ }, onApiFocusObject: function(selectedObjects) { - if (!this.mode.isEdit) return; + if (!this.mode || !this.mode.isEdit) return; this._state.no_paragraph = true; var i = -1; diff --git a/apps/presentationeditor/main/app/view/Toolbar.js b/apps/presentationeditor/main/app/view/Toolbar.js index 5ca1d3b8e..431e1d0bb 100644 --- a/apps/presentationeditor/main/app/view/Toolbar.js +++ b/apps/presentationeditor/main/app/view/Toolbar.js @@ -869,8 +869,10 @@ define([ } }); - if ( mode.isEdit ) + if ( mode.isEdit ) { me.setTab('home'); + me.processPanelVisible(); + } if ( me.isCompactView ) me.setFolded(true); @@ -1427,7 +1429,7 @@ define([ createSynchTip: function () { this.synchTooltip = new Common.UI.SynchronizeTip({ - extCls: this.mode.isDesktopApp ? 'inc-index' : undefined, + extCls: 'inc-index', target: this.btnCollabChanges.$el }); this.synchTooltip.on('dontshowclick', function () { diff --git a/apps/presentationeditor/main/locale/cs.json b/apps/presentationeditor/main/locale/cs.json index 733687be8..4878453a5 100644 --- a/apps/presentationeditor/main/locale/cs.json +++ b/apps/presentationeditor/main/locale/cs.json @@ -125,6 +125,8 @@ "Common.Views.RenameDialog.okButtonText": "OK", "Common.Views.RenameDialog.textName": "Název souboru", "Common.Views.RenameDialog.txtInvalidName": "Název souboru nesmí obsahovat žádný z následujících znaků:", + "Common.Views.ReviewChanges.strFast": "Automatický", + "Common.Views.ReviewChanges.strStrict": "Statický", "PE.Controllers.LeftMenu.newDocumentTitle": "Nepojmenovaná prezentace", "PE.Controllers.LeftMenu.requestEditRightsText": "Žádání o editační práva...", "PE.Controllers.LeftMenu.textNoTextFound": "Data, které jste hledali nebyly nalezeny. Prosím pozměňte vyhledávací možnosti.", @@ -197,8 +199,8 @@ "PE.Controllers.Main.textLoadingDocument": "Načítání prezentace", "PE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE open source verze", "PE.Controllers.Main.textShape": "Tvar", - "PE.Controllers.Main.textStrict": "Strict mode", - "PE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.
Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.", + "PE.Controllers.Main.textStrict": "Statický réžim", + "PE.Controllers.Main.textTryUndoRedo": "Funkce zpět/zopakovat jsou vypnuty pro Automatický co-editační režim.
Klikněte na tlačítko \"Statický režim\", abyste přešli do přísného co-editačního režimu a abyste upravovali soubor bez rušení ostatních uživatelů a odeslali vaše změny jen po jejich uložení. Pomocí Rozšířeného nastavení editoru můžete přepínat mezi co-editačními režimy.", "PE.Controllers.Main.titleLicenseExp": "Platnost licence vypršela", "PE.Controllers.Main.titleServerVersion": "Editor byl aktualizován", "PE.Controllers.Main.txtArt": "Zde napište text", @@ -726,8 +728,8 @@ "PE.Views.DocumentHolder.txtDeleteGroupChar": "Odstranit znak", "PE.Views.DocumentHolder.txtDeleteRadical": "Odstranit radikál", "PE.Views.DocumentHolder.txtDeleteSlide": "Odstranit snímek", - "PE.Views.DocumentHolder.txtDistribHor": "Distribute Horizontally", - "PE.Views.DocumentHolder.txtDistribVert": "Distribute Vertically", + "PE.Views.DocumentHolder.txtDistribHor": "Vodorovně rozmístit", + "PE.Views.DocumentHolder.txtDistribVert": "Svisle rozmístit", "PE.Views.DocumentHolder.txtDuplicateSlide": "Duplicate Slide", "PE.Views.DocumentHolder.txtFractionLinear": "Změnit na lineární zlomek", "PE.Views.DocumentHolder.txtFractionSkewed": "Změnit na zkosený zlomek", @@ -836,12 +838,12 @@ "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", - "PE.Views.FileMenuPanels.Settings.strFast": "Fast", + "PE.Views.FileMenuPanels.Settings.strFast": "Automatický", "PE.Views.FileMenuPanels.Settings.strForcesave": "Vždy uložit na server (jinak uložit na server při zavření dokumentu)", "PE.Views.FileMenuPanels.Settings.strInputMode": "Zapnout hieroglyfy", "PE.Views.FileMenuPanels.Settings.strShowChanges": "Změny spolupráce v reálném čase", "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Zapnout kontrolu pravopisu", - "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", + "PE.Views.FileMenuPanels.Settings.strStrict": "Statický", "PE.Views.FileMenuPanels.Settings.strUnit": "Zobrazovat hodnoty v jednotkách", "PE.Views.FileMenuPanels.Settings.strZoom": "Výchozí hodnota přiblížení", "PE.Views.FileMenuPanels.Settings.text10Minutes": "Každých 10 minut", @@ -1344,8 +1346,8 @@ "PE.Views.Toolbar.tipUndo": "Krok zpět", "PE.Views.Toolbar.tipVAligh": "Svislé zarovnání", "PE.Views.Toolbar.tipViewSettings": "Zobrazit nastavení", - "PE.Views.Toolbar.txtDistribHor": "Distribute Horizontally", - "PE.Views.Toolbar.txtDistribVert": "Distribute Vertically", + "PE.Views.Toolbar.txtDistribHor": "Vodorovně rozmístit", + "PE.Views.Toolbar.txtDistribVert": "Svisle rozmístit", "PE.Views.Toolbar.txtGroup": "Skupina", "PE.Views.Toolbar.txtScheme1": "Office", "PE.Views.Toolbar.txtScheme10": "Median", diff --git a/apps/presentationeditor/main/locale/de.json b/apps/presentationeditor/main/locale/de.json index fe309cedc..af6a210b7 100644 --- a/apps/presentationeditor/main/locale/de.json +++ b/apps/presentationeditor/main/locale/de.json @@ -86,8 +86,8 @@ "Common.Views.Header.textHideStatusBar": "Statusleiste verbergen", "Common.Views.Header.textSaveBegin": "Speicherung...", "Common.Views.Header.textSaveChanged": "Verändert", - "Common.Views.Header.textSaveEnd": "Alle Änderungen sind gespeichert", - "Common.Views.Header.textSaveExpander": "Alle Änderungen sind gespeichert", + "Common.Views.Header.textSaveEnd": "Alle Änderungen wurden gespeichert", + "Common.Views.Header.textSaveExpander": "Alle Änderungen wurden gespeichert", "Common.Views.Header.textZoom": "Zoom", "Common.Views.Header.tipAccessRights": "Zugriffsrechte für das Dokument verwalten", "Common.Views.Header.tipDownload": "Datei herunterladen", @@ -263,7 +263,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", "PE.Controllers.Main.errorUserDrop": "Kein Zugriff auf diese Datei ist möglich.", "PE.Controllers.Main.errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Anzahl der Benutzer ist überschritten", - "PE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist verloren. Man kann das Dokument anschauen.
Es ist aber momentan nicht möglich, ihn herunterzuladen oder auszudrücken bis die Verbindung wiederhergestellt wird.", + "PE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist unterbrochen. Man kann das Dokument anschauen.
Es ist aber momentan nicht möglich, es herunterzuladen oder auszudrucken bis die Verbindung wiederhergestellt wird.", "PE.Controllers.Main.leavePageText": "In dieser Präsentation gibt es nicht gespeicherte Änderungen. Klicken Sie auf \"Auf dieser Seite bleiben\" und dann auf \"Speichern\", um sie zu speichern. Klicken Sie auf \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", "PE.Controllers.Main.loadFontsTextText": "Daten werden geladen...", "PE.Controllers.Main.loadFontsTitleText": "Daten werden geladen", @@ -297,7 +297,7 @@ "PE.Controllers.Main.splitMaxRowsErrorText": "Die Zeilenanzahl muss weniger als %1 sein.", "PE.Controllers.Main.textAnonymous": "Anonym", "PE.Controllers.Main.textBuyNow": "Webseite besuchen", - "PE.Controllers.Main.textChangesSaved": "Alle Änderungen werden gespeichert", + "PE.Controllers.Main.textChangesSaved": "Alle Änderungen wurden gespeichert", "PE.Controllers.Main.textClose": "Schließen", "PE.Controllers.Main.textCloseTip": "Klicken Sie, um den Tipp zu schließen", "PE.Controllers.Main.textContactUs": "Verkaufsteam kontaktieren", diff --git a/apps/presentationeditor/main/locale/it.json b/apps/presentationeditor/main/locale/it.json index b7678830c..409d7a60a 100644 --- a/apps/presentationeditor/main/locale/it.json +++ b/apps/presentationeditor/main/locale/it.json @@ -261,7 +261,7 @@ "PE.Controllers.Main.errorToken": "Il token di sicurezza del documento non è stato creato correttamente.
Si prega di contattare l'amministratore del Server dei Documenti.", "PE.Controllers.Main.errorTokenExpire": "Il token di sicurezza del documento è scaduto.
Si prega di contattare l'amministratore del Server dei Documenti.", "PE.Controllers.Main.errorUpdateVersion": "La versione file è stata moificata. La pagina verrà ricaricata.", - "PE.Controllers.Main.errorUserDrop": "The file cannot be accessed right now.", + "PE.Controllers.Main.errorUserDrop": "Impossibile accedere al file in questo momento.", "PE.Controllers.Main.errorUsersExceed": "E' stato superato il numero di utenti consentito dal piano tariffario", "PE.Controllers.Main.errorViewerDisconnect": "La connessione è stata persa. Puoi ancora vedere il documento,
ma non puoi scaricarlo o stamparlo fino a che la connessione non sarà ripristinata.", "PE.Controllers.Main.leavePageText": "Ci sono delle modifiche non salvate in questa presentazione. Clicca su \"Rimani in questa pagina\", poi su \"Salva\" per salvarle. Clicca su \"Esci da questa pagina\" per scartare tutte le modifiche non salvate.", @@ -291,6 +291,7 @@ "PE.Controllers.Main.savePreparingTitle": "Preparazione al salvataggio. Si prega di aspettare...", "PE.Controllers.Main.saveTextText": "Salvataggio della presentazione in corso...", "PE.Controllers.Main.saveTitleText": "Salvataggio della presentazione", + "PE.Controllers.Main.scriptLoadError": "La connessione è troppo lenta, alcuni componenti non possono essere caricati. Si prega di ricaricare la pagina.", "PE.Controllers.Main.splitDividerErrorText": "Il numero di righe deve essere un divisore di %1.", "PE.Controllers.Main.splitMaxColsErrorText": "Il numero di colonne deve essere inferiore a %1.", "PE.Controllers.Main.splitMaxRowsErrorText": "Il numero di righe deve essere inferiore a %1.", @@ -311,7 +312,7 @@ "PE.Controllers.Main.titleServerVersion": "L'editor è stato aggiornato", "PE.Controllers.Main.txtAddFirstSlide": "Fare click per aggiungere la prima diapositiva", "PE.Controllers.Main.txtAddNotes": "Clicca per aggiungere note", - "PE.Controllers.Main.txtArt": "Your text here", + "PE.Controllers.Main.txtArt": "Il tuo testo qui", "PE.Controllers.Main.txtBasicShapes": "Figure di base", "PE.Controllers.Main.txtButtons": "Bottoni", "PE.Controllers.Main.txtCallouts": "Callout", @@ -621,7 +622,7 @@ "PE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Freccia a destra bassa", "PE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Freccia a destra alta", "PE.Controllers.Toolbar.txtOperator_ColonEquals": "Due punti uguali", - "PE.Controllers.Toolbar.txtOperator_Custom_1": "Yields", + "PE.Controllers.Toolbar.txtOperator_Custom_1": "Rendimenti", "PE.Controllers.Toolbar.txtOperator_Custom_2": "Delta Yields", "PE.Controllers.Toolbar.txtOperator_Definition": "Uguale a Per definizione", "PE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta uguale a", @@ -778,8 +779,8 @@ "PE.Views.DocumentHolder.deleteText": "Elimina", "PE.Views.DocumentHolder.direct270Text": "Ruota testo verso l'alto", "PE.Views.DocumentHolder.direct90Text": "Ruota testo verso il basso", - "PE.Views.DocumentHolder.directHText": "Horizontal", - "PE.Views.DocumentHolder.directionText": "Text Direction", + "PE.Views.DocumentHolder.directHText": "Orizzontale", + "PE.Views.DocumentHolder.directionText": "Direzione del testo", "PE.Views.DocumentHolder.editChartText": "Modifica dati", "PE.Views.DocumentHolder.editHyperlinkText": "Modifica collegamento ipertestuale", "PE.Views.DocumentHolder.hyperlinkText": "Collegamento ipertestuale", @@ -947,7 +948,7 @@ "PE.Views.FileMenu.btnRecentFilesCaption": "Apri recenti...", "PE.Views.FileMenu.btnRenameCaption": "Rinomina...", "PE.Views.FileMenu.btnReturnCaption": "Torna alla presentazione", - "PE.Views.FileMenu.btnRightsCaption": "Access Rights...", + "PE.Views.FileMenu.btnRightsCaption": "Diritti di accesso...", "PE.Views.FileMenu.btnSaveAsCaption": "Salva con Nome", "PE.Views.FileMenu.btnSaveCaption": "Salva", "PE.Views.FileMenu.btnSettingsCaption": "Impostazioni avanzate...", @@ -976,12 +977,12 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Alcune delle firme digitali in presentazione non sono valide o non possono essere verificate. La presentazione è protetta dalla modifica.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Mostra firme", "PE.Views.FileMenuPanels.Settings.okButtonText": "Applica", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides", + "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Abilita guide di allineamento", "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Attiva il ripristino automatico", "PE.Views.FileMenuPanels.Settings.strAutosave": "Attiva salvataggio automatico", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modalità di co-editing", "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", + "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.", "PE.Views.FileMenuPanels.Settings.strFast": "Fast", "PE.Views.FileMenuPanels.Settings.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)", "PE.Views.FileMenuPanels.Settings.strInputMode": "Attiva geroglifici", @@ -1074,7 +1075,7 @@ "PE.Views.ParagraphSettings.textExact": "Esatta", "PE.Views.ParagraphSettings.txtAutoText": "Auto", "PE.Views.ParagraphSettingsAdvanced.cancelButtonText": "Annulla", - "PE.Views.ParagraphSettingsAdvanced.noTabs": "The specified tabs will appear in this field", + "PE.Views.ParagraphSettingsAdvanced.noTabs": "Le schede specificate appariranno in questo campo", "PE.Views.ParagraphSettingsAdvanced.okButtonText": "OK", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Maiuscole", "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio", @@ -1107,7 +1108,7 @@ "PE.Views.RightMenu.txtSignatureSettings": "Impostazioni della Firma", "PE.Views.RightMenu.txtSlideSettings": "Impostazioni diapositiva", "PE.Views.RightMenu.txtTableSettings": "Impostazioni tabella", - "PE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "PE.Views.RightMenu.txtTextArtSettings": "Impostazioni Text Art", "PE.Views.ShapeSettings.strBackground": "Colore sfondo", "PE.Views.ShapeSettings.strChange": "Cambia forma", "PE.Views.ShapeSettings.strColor": "Colore", @@ -1374,12 +1375,12 @@ "PE.Views.TextArtSettings.strColor": "Colore", "PE.Views.TextArtSettings.strFill": "Riempimento", "PE.Views.TextArtSettings.strForeground": "Colore primo piano", - "PE.Views.TextArtSettings.strPattern": "Pattern", + "PE.Views.TextArtSettings.strPattern": "Modello", "PE.Views.TextArtSettings.strSize": "Size", "PE.Views.TextArtSettings.strStroke": "Stroke", "PE.Views.TextArtSettings.strTransparency": "Opacity", "PE.Views.TextArtSettings.strType": "Tipo", - "PE.Views.TextArtSettings.textBorderSizeErr": "The entered value is incorrect.
Please enter a value between 0 pt and 1584 pt.", + "PE.Views.TextArtSettings.textBorderSizeErr": "Il valore inserito non è corretto.
Inserisci un valore tra 0 pt e 1584 pt.", "PE.Views.TextArtSettings.textColor": "Colore di riempimento", "PE.Views.TextArtSettings.textDirection": "Direction", "PE.Views.TextArtSettings.textEmptyPattern": "Nessun modello", @@ -1391,7 +1392,7 @@ "PE.Views.TextArtSettings.textLinear": "Linear", "PE.Views.TextArtSettings.textNewColor": "Add New Custom Color", "PE.Views.TextArtSettings.textNoFill": "Nessun riempimento", - "PE.Views.TextArtSettings.textPatternFill": "Pattern", + "PE.Views.TextArtSettings.textPatternFill": "Modello", "PE.Views.TextArtSettings.textRadial": "Radial", "PE.Views.TextArtSettings.textSelectTexture": "Select", "PE.Views.TextArtSettings.textStretch": "Stretch", @@ -1411,7 +1412,7 @@ "PE.Views.TextArtSettings.txtLeather": "Leather", "PE.Views.TextArtSettings.txtNoBorders": "Nessuna linea", "PE.Views.TextArtSettings.txtPapyrus": "Papyrus", - "PE.Views.TextArtSettings.txtWood": "Wood", + "PE.Views.TextArtSettings.txtWood": "Legno", "PE.Views.Toolbar.capAddSlide": "Aggiungi diapositiva", "PE.Views.Toolbar.capBtnComment": "Commento", "PE.Views.Toolbar.capInsertChart": "Grafico", diff --git a/apps/presentationeditor/main/locale/pl.json b/apps/presentationeditor/main/locale/pl.json index a376f794a..e0e2e4bec 100644 --- a/apps/presentationeditor/main/locale/pl.json +++ b/apps/presentationeditor/main/locale/pl.json @@ -800,7 +800,7 @@ "PE.Views.DocumentPreview.txtPlay": "Rozpocznij prezentację", "PE.Views.DocumentPreview.txtPrev": "Poprzedni slajd", "PE.Views.DocumentPreview.txtReset": "Resetuj", - "PE.Views.FileMenu.btnAboutCaption": "O", + "PE.Views.FileMenu.btnAboutCaption": "O programie", "PE.Views.FileMenu.btnBackCaption": "Przejdź do Dokumentów", "PE.Views.FileMenu.btnCloseMenuCaption": "Zamknij menu", "PE.Views.FileMenu.btnCreateNewCaption": "Utwórz nowy", @@ -907,7 +907,7 @@ "PE.Views.ImageSettingsAdvanced.textSize": "Rozmiar", "PE.Views.ImageSettingsAdvanced.textTitle": "Obraz - zaawansowane ustawienia", "PE.Views.ImageSettingsAdvanced.textWidth": "Szerokość", - "PE.Views.LeftMenu.tipAbout": "O", + "PE.Views.LeftMenu.tipAbout": "O programie", "PE.Views.LeftMenu.tipChat": "Czat", "PE.Views.LeftMenu.tipComments": "Komentarze", "PE.Views.LeftMenu.tipPlugins": "Wtyczki", diff --git a/apps/presentationeditor/main/locale/sk.json b/apps/presentationeditor/main/locale/sk.json index 4c7370330..c667cdf2a 100644 --- a/apps/presentationeditor/main/locale/sk.json +++ b/apps/presentationeditor/main/locale/sk.json @@ -76,11 +76,14 @@ "Common.Views.DocumentAccessDialog.textLoading": "Nahrávam...", "Common.Views.DocumentAccessDialog.textTitle": "Nastavenie zdieľania", "Common.Views.ExternalDiagramEditor.textClose": "Zatvoriť", - "Common.Views.ExternalDiagramEditor.textSave": "Uložiť a Zavrieť", + "Common.Views.ExternalDiagramEditor.textSave": "Uložiť a Zatvoriť", "Common.Views.ExternalDiagramEditor.textTitle": "Editor grafu", "Common.Views.Header.labelCoUsersDescr": "Dokument v súčasnosti upravuje niekoľko používateľov.", "Common.Views.Header.textAdvSettings": "Pokročilé nastavenia", "Common.Views.Header.textBack": "Prejsť do Dokumentov", + "Common.Views.Header.textCompactView": "Skryť panel s nástrojmi", + "Common.Views.Header.textHideLines": "Skryť pravítka", + "Common.Views.Header.textHideStatusBar": "Schovať stavový riadok", "Common.Views.Header.textSaveBegin": "Ukladanie ...", "Common.Views.Header.textSaveChanged": "Modifikovaný", "Common.Views.Header.textSaveEnd": "Všetky zmeny boli uložené", @@ -89,6 +92,8 @@ "Common.Views.Header.tipDownload": "Stiahnuť súbor", "Common.Views.Header.tipGoEdit": "Editovať aktuálny súbor", "Common.Views.Header.tipPrint": "Vytlačiť súbor", + "Common.Views.Header.tipSave": "Uložiť", + "Common.Views.Header.tipUndo": "Krok späť", "Common.Views.Header.tipViewUsers": "Zobraziť používateľov a spravovať prístupové práva k dokumentom", "Common.Views.Header.txtAccessRights": "Zmeniť prístupové práva", "Common.Views.Header.txtRename": "Premenovať", @@ -133,11 +138,13 @@ "Common.Views.Protection.txtChangePwd": "Zmeniť heslo", "Common.Views.Protection.txtDeletePwd": "Odstrániť heslo", "Common.Views.Protection.txtInvisibleSignature": "Pridajte digitálny podpis", + "Common.Views.Protection.txtSignature": "Podpis", "Common.Views.RenameDialog.cancelButtonText": "Zrušiť", "Common.Views.RenameDialog.okButtonText": "OK", "Common.Views.RenameDialog.textName": "Názov súboru", "Common.Views.RenameDialog.txtInvalidName": "Názov súboru nemôže obsahovať žiadny z nasledujúcich znakov:", "Common.Views.ReviewChanges.strFast": "Rýchly", + "Common.Views.ReviewChanges.strStrict": "Prísny", "Common.Views.ReviewChanges.tipAcceptCurrent": "Akceptovať aktuálnu zmenu", "Common.Views.ReviewChanges.tipReviewView": "Vyberte režim, v ktorom chcete zobraziť zmeny", "Common.Views.ReviewChanges.txtAccept": "Akceptovať", @@ -145,18 +152,28 @@ "Common.Views.ReviewChanges.txtAcceptChanges": "Akceptovať zmeny", "Common.Views.ReviewChanges.txtAcceptCurrent": "Akceptovať aktuálnu zmenu", "Common.Views.ReviewChanges.txtChat": "Rozhovor", - "Common.Views.ReviewChanges.txtClose": "Zavrieť", + "Common.Views.ReviewChanges.txtClose": "Zatvoriť", "Common.Views.ReviewChanges.txtCoAuthMode": "Režim spoločnej úpravy", + "Common.Views.ReviewChanges.txtDocLang": "Jazyk", "Common.Views.ReviewChanges.txtFinal": "Všetky zmeny prijaté (ukážka)", "Common.Views.ReviewChanges.txtMarkup": "Všetky zmeny (upravované)", "Common.Views.ReviewChanges.txtOriginal": "Všetky zmeny boli zamietnuté (ukážka)", "Common.Views.ReviewChanges.txtPrev": "Predchádzajúce", + "Common.Views.ReviewChanges.txtReject": "Odmietnuť", "Common.Views.ReviewChanges.txtView": "Režim zobrazenia", + "Common.Views.ReviewPopover.textAdd": "Pridať", + "Common.Views.ReviewPopover.textCancel": "Zrušiť", + "Common.Views.ReviewPopover.textClose": "Zatvoriť", + "Common.Views.ReviewPopover.textEdit": "OK", "Common.Views.SignDialog.cancelButtonText": "Zrušiť", "Common.Views.SignDialog.okButtonText": "OK", "Common.Views.SignDialog.textBold": "Tučné", "Common.Views.SignDialog.textCertificate": "Certifikát", "Common.Views.SignDialog.textChange": "Zmeniť", + "Common.Views.SignDialog.textItalic": "Kurzíva", + "Common.Views.SignDialog.textSelect": "Vybrať", + "Common.Views.SignDialog.textSelectImage": "Vybrať obrázok", + "Common.Views.SignDialog.textTitle": "Podpísať dokument", "Common.Views.SignDialog.textUseImage": "alebo kliknite na položku 'Vybrať obrázok' ak chcete použiť obrázok ako podpis", "Common.Views.SignDialog.tipFontName": "Názov písma", "Common.Views.SignDialog.tipFontSize": "Veľkosť písma", @@ -233,6 +250,7 @@ "PE.Controllers.Main.textAnonymous": "Anonymný", "PE.Controllers.Main.textBuyNow": "Navštíviť webovú stránku", "PE.Controllers.Main.textChangesSaved": "Všetky zmeny boli uložené", + "PE.Controllers.Main.textClose": "Zatvoriť", "PE.Controllers.Main.textCloseTip": "Kliknutím zavrite tip", "PE.Controllers.Main.textContactUs": "Kontaktujte predajcu", "PE.Controllers.Main.textLoadingDocument": "Načítavanie prezentácie", @@ -854,7 +872,7 @@ "PE.Views.DocumentPreview.txtReset": "Obnoviť", "PE.Views.FileMenu.btnAboutCaption": "O aplikácii", "PE.Views.FileMenu.btnBackCaption": "Prejsť do Dokumentov", - "PE.Views.FileMenu.btnCloseMenuCaption": "Zavrieť menu", + "PE.Views.FileMenu.btnCloseMenuCaption": "Zatvoriť menu", "PE.Views.FileMenu.btnCreateNewCaption": "Vytvoriť nový", "PE.Views.FileMenu.btnDownloadCaption": "Stiahnuť ako...", "PE.Views.FileMenu.btnHelpCaption": "Pomoc...", @@ -881,6 +899,7 @@ "PE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Názov prezentácie", "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zmeniť prístupové práva", "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby s oprávneniami", + "PE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Upozornenie", "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Upraviť prezentáciu", "PE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Úprava odstráni podpisy z prezentácie.
Naozaj chcete pokračovať?", "PE.Views.FileMenuPanels.Settings.okButtonText": "Použiť", @@ -1091,6 +1110,8 @@ "PE.Views.ShapeSettingsAdvanced.textWeightArrows": "Nastavenia tvaru", "PE.Views.ShapeSettingsAdvanced.textWidth": "Šírka", "PE.Views.ShapeSettingsAdvanced.txtNone": "Žiadny", + "PE.Views.SignatureSettings.notcriticalErrorTitle": "Upozornenie", + "PE.Views.SignatureSettings.strSignature": "Podpis", "PE.Views.SignatureSettings.txtEditWarning": "Úprava odstráni podpisy z prezentácie.
Naozaj chcete pokračovať?", "PE.Views.SlideSettings.strBackground": "Farba pozadia", "PE.Views.SlideSettings.strColor": "Farba", @@ -1230,12 +1251,14 @@ "PE.Views.TableSettings.textEmptyTemplate": "Žiadne šablóny", "PE.Views.TableSettings.textFirst": "Prvý", "PE.Views.TableSettings.textHeader": "Hlavička", + "PE.Views.TableSettings.textHeight": "Výška", "PE.Views.TableSettings.textLast": "Posledný", "PE.Views.TableSettings.textNewColor": "Vlastná farba", "PE.Views.TableSettings.textRows": "Riadky", "PE.Views.TableSettings.textSelectBorders": "Vyberte orámovanie, ktoré chcete zmeniť podľa vyššie uvedeného štýlu", "PE.Views.TableSettings.textTemplate": "Vybrať zo šablóny", "PE.Views.TableSettings.textTotal": "Celkovo", + "PE.Views.TableSettings.textWidth": "Šírka", "PE.Views.TableSettings.tipAll": "Nastaviť vonkajšie orámovanie a všetky vnútorné čiary", "PE.Views.TableSettings.tipBottom": "Nastaviť len spodné vonkajšie orámovanie", "PE.Views.TableSettings.tipInner": "Nastaviť len vnútorné čiary", diff --git a/apps/presentationeditor/main/locale/zh.json b/apps/presentationeditor/main/locale/zh.json index 988529b8e..2b3167c7c 100644 --- a/apps/presentationeditor/main/locale/zh.json +++ b/apps/presentationeditor/main/locale/zh.json @@ -1,13 +1,13 @@ { - "Common.Controllers.Chat.notcriticalErrorTitle": "警告中", + "Common.Controllers.Chat.notcriticalErrorTitle": "警告", "Common.Controllers.Chat.textEnterMessage": "在这里输入你的信息", "Common.Controllers.Chat.textUserLimit": "您正在使用ONLYOFFICE免费版。
只有两个用户可以同时共同编辑文档。
想要更多?考虑购买ONLYOFFICE企业版。
阅读更多内容", "Common.Controllers.ExternalDiagramEditor.textAnonymous": "匿名", "Common.Controllers.ExternalDiagramEditor.textClose": "关闭", "Common.Controllers.ExternalDiagramEditor.warningText": "该对象被禁用,因为它被另一个用户编辑。", - "Common.Controllers.ExternalDiagramEditor.warningTitle": "警告中", - "Common.UI.ComboBorderSize.txtNoBorders": "没有边界", - "Common.UI.ComboBorderSizeEditable.txtNoBorders": "没有边界", + "Common.Controllers.ExternalDiagramEditor.warningTitle": "警告", + "Common.UI.ComboBorderSize.txtNoBorders": "没有边框", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "没有边框", "Common.UI.ComboDataView.emptyComboText": "没有风格", "Common.UI.ExtendedColorDialog.addButtonText": "添加", "Common.UI.ExtendedColorDialog.cancelButtonText": "取消", @@ -38,7 +38,7 @@ "Common.UI.Window.textDontShow": "不要再显示此消息", "Common.UI.Window.textError": "错误:", "Common.UI.Window.textInformation": "信息", - "Common.UI.Window.textWarning": "警告中", + "Common.UI.Window.textWarning": "警告", "Common.UI.Window.yesButtonText": "是", "Common.Utils.Metric.txtCm": "厘米", "Common.Utils.Metric.txtPt": "像素", @@ -46,7 +46,7 @@ "Common.Views.About.txtLicensee": "被许可人", "Common.Views.About.txtLicensor": "许可", "Common.Views.About.txtMail": "电子邮件:", - "Common.Views.About.txtPoweredBy": "供电", + "Common.Views.About.txtPoweredBy": "技术支持", "Common.Views.About.txtTel": "电话:", "Common.Views.About.txtVersion": "版本", "Common.Views.AdvancedSettingsWindow.cancelButtonText": "取消", @@ -158,7 +158,7 @@ "PE.Controllers.Main.loadingDocumentTitleText": "载入演示", "PE.Controllers.Main.loadThemeTextText": "装载主题", "PE.Controllers.Main.loadThemeTitleText": "装载主题", - "PE.Controllers.Main.notcriticalErrorTitle": "警告中", + "PE.Controllers.Main.notcriticalErrorTitle": "警告", "PE.Controllers.Main.openErrorText": "打开文件时发生错误", "PE.Controllers.Main.openTextText": "开幕式...", "PE.Controllers.Main.openTitleText": "开幕式", @@ -279,7 +279,7 @@ "PE.Controllers.Toolbar.textRadical": "自由基", "PE.Controllers.Toolbar.textScript": "脚本", "PE.Controllers.Toolbar.textSymbols": "符号", - "PE.Controllers.Toolbar.textWarning": "警告中", + "PE.Controllers.Toolbar.textWarning": "警告", "PE.Controllers.Toolbar.txtAccent_Accent": "急性", "PE.Controllers.Toolbar.txtAccent_ArrowD": "右上方的箭头在上方", "PE.Controllers.Toolbar.txtAccent_ArrowL": "向左箭头", @@ -811,7 +811,7 @@ "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "更改访问权限", "PE.Views.FileMenuPanels.DocumentRights.txtRights": "有权利的人", "PE.Views.FileMenuPanels.Settings.okButtonText": "应用", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "打开校准指南", + "PE.Views.FileMenuPanels.Settings.strAlignGuides": "打开对齐指南", "PE.Views.FileMenuPanels.Settings.strAutoRecover": "打开自动复原", "PE.Views.FileMenuPanels.Settings.strAutosave": "打开自动保存", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "共同编辑模式", @@ -917,7 +917,7 @@ "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右", "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "字体 ", "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "缩进和放置", - "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小帽子", + "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小写", "PE.Views.ParagraphSettingsAdvanced.strStrike": "删除线", "PE.Views.ParagraphSettingsAdvanced.strSubscript": "下标", "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "上标", @@ -1168,7 +1168,7 @@ "PE.Views.TableSettings.tipOuter": "仅限外部边框", "PE.Views.TableSettings.tipRight": "仅设置外边界", "PE.Views.TableSettings.tipTop": "仅限外部边框", - "PE.Views.TableSettings.txtNoBorders": "没有边界", + "PE.Views.TableSettings.txtNoBorders": "没有边框", "PE.Views.TableSettingsAdvanced.cancelButtonText": "取消", "PE.Views.TableSettingsAdvanced.okButtonText": "确定", "PE.Views.TableSettingsAdvanced.textAlt": "替代文本", diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm index 1301e63e2..11193f51f 100644 --- a/apps/presentationeditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm @@ -34,7 +34,7 @@ PPT Dateiformat, das in Microsoft PowerPoint verwendet wird + - + + diff --git a/apps/presentationeditor/main/resources/help/de/search/indexes.js b/apps/presentationeditor/main/resources/help/de/search/indexes.js index bdc9cb98d..cf51419dd 100644 --- a/apps/presentationeditor/main/resources/help/de/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/de/search/indexes.js @@ -3,7 +3,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "Über den Präsentationseditor", - "body": "Der Präsentationseditor ist eine Online- Anwendung, mit der Sie Ihre Dokumente direkt in Ihrem Browser betrachten und bearbeiten können. Mit dem Präsentationseditor können Sie Editiervorgänge durchführen, wie bei einem beliebigen Desktopeditor, editierte Präsentationen unter Beibehaltung aller Formatierungsdetails drucken oder sie auf der Festplatte Ihres Rechners als PDF-, TXT-, DOCX-, DOC-, ODT-, RTF-, HTML- oder EPUB-Dateien speichern. Wenn Sie mehr über die aktuelle Softwareversion und den Lizenzgeber erfahren möchten, klicken Sie auf das Symbol in der linken Seitenleiste." + "body": "Der Präsentationseditor ist eine Online- Anwendung, mit der Sie Ihre Dokumente direkt in Ihrem Browser betrachten und bearbeiten können. Mit dem Präsentationseditor können Sie Editiervorgänge durchführen, wie bei einem beliebigen Desktopeditor, editierte Präsentationen unter Beibehaltung aller Formatierungsdetails drucken oder sie auf der Festplatte Ihres Rechners als PPTX-, PDF- oder ODP-Dateien speichern. Wenn Sie mehr über die aktuelle Softwareversion und den Lizenzgeber erfahren möchten, klicken Sie auf das Symbol in der linken Seitenleiste." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -18,7 +18,7 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Tastenkombinationen", - "body": "Eine Präsentation bearbeiten Dateimenü öffnen ALT+F Über das Dateimenü können Sie die aktuelle Präsentation speichern, drucken, herunterladen, Informationen einsehen, eine neue Präsentation erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. Suchmaske öffnen STRG+F Über die Suchmaske können Sie in der aktuellen Präsentation nach Zeichen/Wörtern/Phrasen suchen. Kommentarleiste öffnen STRG+UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q Chatleiste öffnen, um eine Nachricht zu senden. Präsentation speichern STRG+S Alle Änderungen in der aktuellen Präsentation werden gespeichert. Präsentation drucken STRG+P Ausdrucken mit einem verfügbaren Drucker oder speichern als Datei. Herunterladen als STRG+UMSCHALT+S Die aktuelle Präsentation wird in einem der unterstützten Dateiformate auf der Festplatte gespeichert: PDF, PPTX. Vollbild F11 Der Präsentationseditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 Das Hilfemenü wird geöffnet. Navigation Erste Folie POS1 Auf die erste Folie der aktuellen Präsentation wechseln. Letzte Folie ENDE Auf die letzte Folie der aktuellen Präsentation wechseln. Nächste Folie BILD NACH UNTEN Auf die nächste Folie der aktuellen Präsentation wechseln. Vorherige Folie BILD NACH OBEN Auf die vorherige Folie der aktuellen Präsentation wechseln. Nächste Form wählen TAB Die nächste Form auswählen Vorherige Form wählen UMSCHALT+TAB Die vorherige Form auswählen Vergrößern STRG++ Die Ansicht der aktuellen Präsentation vergrößern. Verkleinern STRG+- Die Ansicht der aktuellen Präsentation verkleinern. Folien bearbeiten Neue Folie STRG+M Eine neue Folie erstellen und nach der ausgewählten Folie in der Liste einfügen. Folie verdoppeln STRG+D Die ausgewählte Folie wird verdoppelt. Folie nach oben verschieben STRG+PFEIL NACH OBEN Die ausgewählte Folie in der Liste hinter die vorherige Folie verschieben. Folie nach unten verschieben STRG+PFEIL NACH UNTEN Die ausgewählte Folie in der Liste hinter die nachfolgende Folie verschieben. Folie zum Anfang verschieben STRG+UMSCHALT+PFEIL NACH OBEN Verschiebt die gewählte Folie an die erste Position in der Liste. Folie zum Ende verschieben STRG+UMSCHALT+PFEIL NACH UNTEN Verschiebt die gewählte Folie an die letzte Position in der Liste. Objekte bearbeiten Kopie erstellen STRG+ziehen oder STRG+D Halten Sie die STRG-Taste beim Ziehen des gewählten Objekts gedrückt oder drücken Sie STRG+D, um es zu kopieren. Gruppieren STRG+G Die ausgewählten Objekte gruppieren. Gruppierung aufheben STRG+UMSCHALT+G Die Gruppierung der gewählten Objekte wird aufgehoben. Objekte ändern Verschiebung begrenzen UMSCHALT+ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten UMSCHALT+ziehen (beim Drehen) Die Drehung wird auf 15-Grad-Stufen begrenzt. Seitenverhältnis sperren UMSCHALT+ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Bewegung Pixel für Pixel STRG Halten Sie die Taste gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben. Vorschau der Präsentation Vorschau von Beginn an starten STRG+F5 Die Vorschau wird von Beginn an Präsentation gestartet Vorwärts navigieren ENTER, BILD NACH UNTEN, PFEIL NACH RECHTS, PFEIL NACH UNTEN oder LEERTASTE Startet die Vorschau der nächsten Animation oder geht zur nächsten Folie über. Rückwärts navigieren BILD NACH OBEN, LINKER PFEIL, PFEIL NACH OBEN Vorschau der vorherigen Animation oder zur vorherigen Folie übergehen. Vorschau beenden ESC Die Vorschau wird beendet. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+Y Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Ausschneiden, Kopieren, Einfügen Ausschneiden Strg+X Das gewählte Objekt wird ausgeschnitten und in der Zwischenablage des Rechners abgelegt. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation, in eine andere Präsentation oder in ein anderes Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG Das gewählte Objekt wird in der Zwischenablage des Rechners abgelegt. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation, in eine andere Präsentation oder in ein anderes Programm eingefügt werden. Einfügen STRG+V, UMSCHALT+EINFG Das vorher kopierte Objekt wird aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Das Objekt kann vorher aus derselben Präsentation kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite. Hyperlink einfügen STRG+K Einen Hyperlink einfügen der an eine Webadresse oder eine bestimmte Stelle in der Funktion weiterleitet. Format übertragen STRG+UMSCHALT+C Die Formatierung des gewählten Textabschnitts wird kopiert. Die kopierte Formatierung kann später auf einen anderen Textabschnitt in derselben Präsentation angewendet werden. Format übertragen STRG+UMSCHALT+V Wendet die vorher kopierte Formatierung auf den Text in der aktuellen Präsentation an. Auswahl mit der Maus Zum gewählten Abschnitt hinzufügen UMSCHALT Starten Sie die Auswahl, halten Sie die UMSCHALT-Taste gedrückt und klicken Sie an der Stelle, wo Sie die Auswahl beenden möchten. Auswahl mithilfe der Tastatur Alles auswählen STRG+A Alle Folien (in der Folienliste) auswählen oder alle Objekte auf einer Folie (im Bereich für die Folienbearbeitung) oder den ganzen Text (im Textblock) - abhängig von der Cursorposition. Textabschnitt auswählen UMSCHALT+Pfeil Den Text Zeichen für Zeichen auswählen. Text von der aktuellen Cursorposition bis zum Zeilenanfang auswählen UMSCHALT+POS1 Einen Textabschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Text ab der Cursorposition bis Ende der Zeile auswählen UMSCHALT+ENDE Einen Textabschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Textformatierung Fett STRG+B Zuweisung der Formatierung Fett im gewählten Textabschnitt. Kursiv STRG+I Zuweisung der Formatierung Kursiv im gewählten Textabschnitt. Unterstrichen STRG+U Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Tiefgestellt STRG+.(Punkt) Der gewählte Textabschnitt wird verkleinert und tiefgestellt. Hochgestellt STRG+, (Komma) Der gewählte Textabschnitt wird verkleinert und hochgestellt. Aufzählungsliste STRG+UMSCHALT+L Baiserend auf dem gewählten Textabschnitt wird eine Aufzählungsliste erstellt oder eine neue Liste begonnen. Formatierung entfernen STRG+LEERTASTE Entfernt die Formatierung im gewählten Textabschnitt. Schrift vergrößern STRG+] Vergrößert die Schrift des gewählten Textabschnitts um einen Grad. Schrift verkleinern STRG+[ Verkleinert die Schrift des gewählten Textabschnitts um einen Grad. Zentriert/linksbündig ausrichten STRG+E Wechselt die Ausrichtung des Absatzes von zentriert auf linksbündig. Blocksatz/linksbündig ausrichten STRG+J Wechselt die Ausrichtung des Absatzes von Blocksatz auf linksbündig. Rechtsbündig/linksbündig ausrichten STRG+R Wechselt die Ausrichtung des Absatzes von rechtsbündig auf linksbündig. Linksbündig ausrichten STRG+L Lässt den linken Textrand parallel zum linken Seitenrand verlaufen, der rechte Textrand bleibt unausgerichtet." + "body": "Eine Präsentation bearbeiten Dateimenü öffnen ALT+F Über das Dateimenü können Sie die aktuelle Präsentation speichern, drucken, herunterladen, Informationen einsehen, eine neue Präsentation erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. Suchmaske öffnen STRG+F Über die Suchmaske können Sie in der aktuellen Präsentation nach Zeichen/Wörtern/Phrasen suchen. Kommentarleiste öffnen STRG+UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q Chatleiste öffnen, um eine Nachricht zu senden. Präsentation speichern STRG+S Alle Änderungen in der aktuellen Präsentation werden gespeichert. Präsentation drucken STRG+P Ausdrucken mit einem verfügbaren Drucker oder speichern als Datei. Herunterladen als STRG+UMSCHALT+S Die aktuelle Präsentation wird in einem der unterstützten Dateiformate auf der Festplatte gespeichert: PPTX, PDF, ODP. Vollbild F11 Der Präsentationseditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 Das Hilfemenü wird geöffnet. Navigation Erste Folie POS1 Auf die erste Folie der aktuellen Präsentation wechseln. Letzte Folie ENDE Auf die letzte Folie der aktuellen Präsentation wechseln. Nächste Folie BILD NACH UNTEN Auf die nächste Folie der aktuellen Präsentation wechseln. Vorherige Folie BILD NACH OBEN Auf die vorherige Folie der aktuellen Präsentation wechseln. Nächste Form wählen TAB Die nächste Form auswählen Vorherige Form wählen UMSCHALT+TAB Die vorherige Form auswählen Vergrößern STRG++ Die Ansicht der aktuellen Präsentation vergrößern. Verkleinern STRG+- Die Ansicht der aktuellen Präsentation verkleinern. Folien bearbeiten Neue Folie STRG+M Eine neue Folie erstellen und nach der ausgewählten Folie in der Liste einfügen. Folie verdoppeln STRG+D Die ausgewählte Folie wird verdoppelt. Folie nach oben verschieben STRG+PFEIL NACH OBEN Die ausgewählte Folie in der Liste hinter die vorherige Folie verschieben. Folie nach unten verschieben STRG+PFEIL NACH UNTEN Die ausgewählte Folie in der Liste hinter die nachfolgende Folie verschieben. Folie zum Anfang verschieben STRG+UMSCHALT+PFEIL NACH OBEN Verschiebt die gewählte Folie an die erste Position in der Liste. Folie zum Ende verschieben STRG+UMSCHALT+PFEIL NACH UNTEN Verschiebt die gewählte Folie an die letzte Position in der Liste. Objekte bearbeiten Kopie erstellen STRG+ziehen oder STRG+D Halten Sie die STRG-Taste beim Ziehen des gewählten Objekts gedrückt oder drücken Sie STRG+D, um es zu kopieren. Gruppieren STRG+G Die ausgewählten Objekte gruppieren. Gruppierung aufheben STRG+UMSCHALT+G Die Gruppierung der gewählten Objekte wird aufgehoben. Objekte ändern Verschiebung begrenzen UMSCHALT+ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten UMSCHALT+ziehen (beim Drehen) Die Drehung wird auf 15-Grad-Stufen begrenzt. Seitenverhältnis sperren UMSCHALT+ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Bewegung Pixel für Pixel STRG Halten Sie die Taste gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben. Vorschau der Präsentation Vorschau von Beginn an starten STRG+F5 Die Vorschau wird von Beginn an Präsentation gestartet Vorwärts navigieren ENTER, BILD NACH UNTEN, PFEIL NACH RECHTS, PFEIL NACH UNTEN oder LEERTASTE Startet die Vorschau der nächsten Animation oder geht zur nächsten Folie über. Rückwärts navigieren BILD NACH OBEN, LINKER PFEIL, PFEIL NACH OBEN Vorschau der vorherigen Animation oder zur vorherigen Folie übergehen. Vorschau beenden ESC Die Vorschau wird beendet. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+Y Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Ausschneiden, Kopieren, Einfügen Ausschneiden Strg+X Das gewählte Objekt wird ausgeschnitten und in der Zwischenablage des Rechners abgelegt. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation, in eine andere Präsentation oder in ein anderes Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG Das gewählte Objekt wird in der Zwischenablage des Rechners abgelegt. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation, in eine andere Präsentation oder in ein anderes Programm eingefügt werden. Einfügen STRG+V, UMSCHALT+EINFG Das vorher kopierte Objekt wird aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Das Objekt kann vorher aus derselben Präsentation kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite. Hyperlink einfügen STRG+K Einen Hyperlink einfügen der an eine Webadresse oder eine bestimmte Stelle in der Funktion weiterleitet. Format übertragen STRG+UMSCHALT+C Die Formatierung des gewählten Textabschnitts wird kopiert. Die kopierte Formatierung kann später auf einen anderen Textabschnitt in derselben Präsentation angewendet werden. Format übertragen STRG+UMSCHALT+V Wendet die vorher kopierte Formatierung auf den Text in der aktuellen Präsentation an. Auswahl mit der Maus Zum gewählten Abschnitt hinzufügen UMSCHALT Starten Sie die Auswahl, halten Sie die UMSCHALT-Taste gedrückt und klicken Sie an der Stelle, wo Sie die Auswahl beenden möchten. Auswahl mithilfe der Tastatur Alles auswählen STRG+A Alle Folien (in der Folienliste) auswählen oder alle Objekte auf einer Folie (im Bereich für die Folienbearbeitung) oder den ganzen Text (im Textblock) - abhängig von der Cursorposition. Textabschnitt auswählen UMSCHALT+Pfeil Den Text Zeichen für Zeichen auswählen. Text von der aktuellen Cursorposition bis zum Zeilenanfang auswählen UMSCHALT+POS1 Einen Textabschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Text ab der Cursorposition bis Ende der Zeile auswählen UMSCHALT+ENDE Einen Textabschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Textformatierung Fett STRG+B Zuweisung der Formatierung Fett im gewählten Textabschnitt. Kursiv STRG+I Zuweisung der Formatierung Kursiv im gewählten Textabschnitt. Unterstrichen STRG+U Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Tiefgestellt STRG+.(Punkt) Der gewählte Textabschnitt wird verkleinert und tiefgestellt. Hochgestellt STRG+, (Komma) Der gewählte Textabschnitt wird verkleinert und hochgestellt. Aufzählungsliste STRG+UMSCHALT+L Baiserend auf dem gewählten Textabschnitt wird eine Aufzählungsliste erstellt oder eine neue Liste begonnen. Formatierung entfernen STRG+LEERTASTE Entfernt die Formatierung im gewählten Textabschnitt. Schrift vergrößern STRG+] Vergrößert die Schrift des gewählten Textabschnitts um einen Grad. Schrift verkleinern STRG+[ Verkleinert die Schrift des gewählten Textabschnitts um einen Grad. Zentriert/linksbündig ausrichten STRG+E Wechselt die Ausrichtung des Absatzes von zentriert auf linksbündig. Blocksatz/linksbündig ausrichten STRG+J Wechselt die Ausrichtung des Absatzes von Blocksatz auf linksbündig. Rechtsbündig/linksbündig ausrichten STRG+R Wechselt die Ausrichtung des Absatzes von rechtsbündig auf linksbündig. Linksbündig ausrichten STRG+L Lässt den linken Textrand parallel zum linken Seitenrand verlaufen, der rechte Textrand bleibt unausgerichtet." }, { "id": "HelpfulHints/Navigation.htm", @@ -38,7 +38,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Unterstützte Formate von elektronischen Präsentationen", - "body": "Unterstützte Formate elektronischer Präsentationen Eine Präsentation besteht aus einer Reihe von Folien, die verschiedene Arten von Inhalten enthalten können, z. B. Bilder, Mediendateien, Text, Effekte etc. Der Präsentationseditor unterstützt die folgenden Formate: Formate Beschreibung Anzeigen Bearbeiten Download PPTX Office Open XML Presentation Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten + + + PPT Dateiformat, das in Microsoft PowerPoint verwendet wird + + ODP OpenDocument Presentation Dateiformat, das mit der Anwendung Impress erstellte Präsentationen darstellt; diese Anwendung ist ein Bestandteil des OpenOffice-Pakets + + + PDF Portable Document Format Dateiformat, das Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und von der Hardwareplattform originalgetreu weitergeben kann +" + "body": "Unterstützte Formate elektronischer Präsentationen Eine Präsentation besteht aus einer Reihe von Folien, die verschiedene Arten von Inhalten enthalten können, z. B. Bilder, Mediendateien, Text, Effekte etc. Der Präsentationseditor unterstützt die folgenden Formate: Formate Beschreibung Anzeigen Bearbeiten Download PPTX Office Open XML Presentation Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten + + + PPT Dateiformat, das in Microsoft PowerPoint verwendet wird + ODP OpenDocument Presentation Dateiformat, das mit der Anwendung Impress erstellte Präsentationen darstellt; diese Anwendung ist ein Bestandteil des OpenOffice-Pakets + + + PDF Portable Document Format Dateiformat, das Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und von der Hardwareplattform originalgetreu weitergeben kann +" }, { "id": "ProgramInterface/CollaborationTab.htm", @@ -68,12 +68,12 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Einführung in die Benutzeroberfläche des Präsentationseditors", - "body": "Der Präsentationseditor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, die Menü-Registerkarten und der Name der Präsentation angezeigt sowie zwei Symbole auf der rechten Seite, über die Sie Zugriffsrechte festlegen und zur Dokumentenliste zurückkehren können. Abhängig von der ausgewählten Registerkarten werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Zusammenarbeit, Plug-ins.Die Befehle Drucken, Speichern, Kopieren, Einfügen, Rückgängig machen, Wiederholen und Folie hinzufügen stehe unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung. In der Statusleiste am unteren Rand des Editorfensters, finden Sie das Symbol für den Beginn der Bildschirmpräsentation sowie einige Navigationswerkzeuge: Foliennummer und Zoom. Außerdem werden in der Statusleiste Benachrichtigungen vom System angezeigt (wie beispielsweise „Alle Änderungen wurden gespeichert\" etc.) und Sie haben die Möglichkeit die Textsprache festzulegen und die Rechtschreibprüfung zu aktivieren. Über die Symbole der linken Seitenleiste können Sie die Funktion Suchen und Ersetzen nutzen, die Folienliste verkleinern und erweitern, Kommentare und Unterhaltungen öffnen, unser Support-Team kontaktieren und Informationen über das Programm einsehen. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten eingestellt werden. Wenn Sie ein bestimmtes Objekt auf einer Folie auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern. Horizontale und vertikale Lineale unterstützen Sie dabei Objekte auf einer Folie präzise zu positionieren und Tabulatoren und Absätze in Textfeldern festzulegen. Über den Arbeitsbereich können Sie den Inhalt der Präsentation anzeigen und Daten eingeben und bearbeiten. Über die Scroll-Leiste auf der rechten Seite können Sie in der Präsentation hoch und runter navigieren. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." + "body": "Der Präsentationseditor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, die Menü-Registerkarten und der Name der Präsentation angezeigt sowie zwei Symbole auf der rechten Seite, über die Sie Zugriffsrechte festlegen und zur Dokumentenliste zurückkehren können. Abhängig von der ausgewählten Registerkarten werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Zusammenarbeit, Plug-ins.Die Befehle Drucken, Speichern, Kopieren, Einfügen, Rückgängig machen und Wiederholen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung. In der Statusleiste am unteren Rand des Editorfensters, finden Sie das Symbol für den Beginn der Bildschirmpräsentation sowie einige Navigationswerkzeuge: Foliennummer und Zoom. Außerdem werden in der Statusleiste Benachrichtigungen vom System angezeigt (wie beispielsweise „Alle Änderungen wurden gespeichert\" etc.) und Sie haben die Möglichkeit die Textsprache festzulegen und die Rechtschreibprüfung zu aktivieren. Über die Symbole der linken Seitenleiste können Sie die Funktion Suchen und Ersetzen nutzen, die Folienliste verkleinern und erweitern, Kommentare und Unterhaltungen öffnen, unser Support-Team kontaktieren und Informationen über das Programm einsehen. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten eingestellt werden. Wenn Sie ein bestimmtes Objekt auf einer Folie auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern. Horizontale und vertikale Lineale unterstützen Sie dabei Objekte auf einer Folie präzise zu positionieren und Tabulatoren und Absätze in Textfeldern festzulegen. Über den Arbeitsbereich können Sie den Inhalt der Präsentation anzeigen und Daten eingeben und bearbeiten. Über die Scroll-Leiste auf der rechten Seite können Sie in der Präsentation hoch und runter navigieren. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Hyperlink einfügen", - "body": "Einfügen eines Hyperlinks Positionieren Sie Ihren Mauszeiger an der Stelle im Textfeld, die Sie in den Link integrieren möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf das Symbol Hyperlink in der oberen Symbolleiste. Sie können nun Fenster Einstellungen Hyperlink, die Parameter für den Hyperlink festlegen: Linktyp - wählen Sie den Linktyp, den Sie einfügen möchten, aus dem Listenmenü aus: Wenn Sie einen Hyperlink hinzufügen möchten, der zu externen Website führt, wählen Sie Website und geben Sie eine URL im Format http://www.example.com in das Feld Link zu ein. Wenn Sie einen Hyperlink hinzufügen möchten, der zu einer bestimmten Folie in der aktuellen Präsentation führt, wählen Sie die Option Folie aus dieser Präsentation und geben Sie die gewünschte Folie an. Die folgenden Optionen stehen Ihnen zur Verfügung: Nächste Folie, Vorherige Folie, Erste Folie, Letze Folie, Folie Angezeigter Text - geben Sie einen Text ein, der klickbar wird und zu der im oberen Feld angegebenen Webadresse/Folie führt. QuickInfo - geben Sie einen Text ein, der in einem kleinen Dialogfenster angezeigt wird und den Nutzer über den Inhalt des Verweises informiert. Klicken Sie auf OK. Um einen Hyperlink hinzuzufügen und die Einstellungen zu öffnen, können Sie auch mit der rechten Maustaste an die gewünschte Stelle klicken und die Option Hyperlink im Kontextmenü auswählen oder Sie positionieren den Cursor an der gewünschten Position und drücken die Tastenkombination STRG+K. Hinweis: Es ist auch möglich, ein Zeichen, Wort oder eine Wortverbindung mit der Maus oder über die Tastatur auszuwählen. Klicken Sie anschließend in der Registerkarte Einfügen auf Hyperlink oder klicken Sie mit der rechten Maustaste auf die Auswahl und wählen Sie im Kontextmenü die Option Hyperlink aus. Danach öffnet sich das oben dargestellte Fenster und im Feld Angezeigter Text erscheint der ausgewählte Textabschnitt. Wenn Sie den Mauszeiger über den eingefügten Hyperlink bewegen, wird der von Ihnen im Feld QuickInfo eingebene Text angezeigt. Sie können dem Link folgen, indem Sie die Taste STRG drücken und dann auf den Link in Ihrer Präsentation klicken. Um den hinzugefügten Hyperlink zu bearbeiten oder zu entfernen, klicken Sie diesen mit der rechten Maustaste an, wählen Sie die Option Hyperlink im Kontextmenü und wählen Sie anschließend den gewünschten Vorgang aus - Hyperlink bearbeiten oder Hyperlink entfernen." + "body": "Einfügen eines Hyperlinks Positionieren Sie Ihren Mauszeiger an der Stelle im Textfeld, die Sie in den Link integrieren möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf das Symbol Hyperlink in der oberen Symbolleiste. Sie können nun Fenster Einstellungen Hyperlink, die Parameter für den Hyperlink festlegen: wählen Sie den Linktyp, den Sie einfügen möchten: Wenn Sie einen Hyperlink hinzufügen möchten, der zu externen Website führt, wählen Sie Website und geben Sie eine URL im Format http://www.example.com in das Feld Link zu ein. Wenn Sie einen Hyperlink hinzufügen möchten, der zu einer bestimmten Folie in der aktuellen Präsentation führt, wählen Sie die Option Folie aus dieser Präsentation und geben Sie die gewünschte Folie an. Die folgenden Optionen stehen Ihnen zur Verfügung: Nächste Folie, Vorherige Folie, Erste Folie, Letze Folie, Folie Angezeigter Text - geben Sie einen Text ein, der klickbar wird und zu der im oberen Feld angegebenen Webadresse/Folie führt. QuickInfo - geben Sie einen Text ein, der in einem kleinen Dialogfenster angezeigt wird und den Nutzer über den Inhalt des Verweises informiert. Klicken Sie auf OK. Um einen Hyperlink hinzuzufügen und die Einstellungen zu öffnen, können Sie auch mit der rechten Maustaste an die gewünschte Stelle klicken und die Option Hyperlink im Kontextmenü auswählen oder Sie positionieren den Cursor an der gewünschten Position und drücken die Tastenkombination STRG+K. Hinweis: Es ist auch möglich, ein Zeichen, Wort oder eine Wortverbindung mit der Maus oder über die Tastatur auszuwählen. Klicken Sie anschließend in der Registerkarte Einfügen auf Hyperlink oder klicken Sie mit der rechten Maustaste auf die Auswahl und wählen Sie im Kontextmenü die Option Hyperlink aus. Danach öffnet sich das oben dargestellte Fenster und im Feld Angezeigter Text erscheint der ausgewählte Textabschnitt. Wenn Sie den Mauszeiger über den eingefügten Hyperlink bewegen, wird der von Ihnen im Feld QuickInfo eingebene Text angezeigt. Sie können dem Link folgen, indem Sie die Taste STRG drücken und dann auf den Link in Ihrer Präsentation klicken. Um den hinzugefügten Hyperlink zu bearbeiten oder zu entfernen, klicken Sie diesen mit der rechten Maustaste an, wählen Sie die Option Hyperlink im Kontextmenü und wählen Sie anschließend den gewünschten Vorgang aus - Hyperlink bearbeiten oder Hyperlink entfernen." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -158,7 +158,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Präsentation speichern/drucken/herunterladen", - "body": "Standardmäßig speichert wird Ihre Datei im Präsentationseditor während der Bearbeitung automatisch alle 2 Sekunden gespeichert, um Datenverluste im Falle eines unerwarteten Programmabsturzes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSave auf der Seite Erweiterte Einstellungen deaktivieren. Aktuelle Präsentation manuell speichern: Klicken Sie in der oberen Symbolleiste auf das Symbol Speichern oder nutzen Sie die Tastenkombination STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Aktuelle Präsentation drucken: Klicken Sie in der oberen Symbolleiste auf das Symbol Drucken oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Danach wird basierend auf der Präsentation eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken. Aktuelle Präsentation auf dem PC speichern: Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als. Wählen Sie das gewünschte Format aus: PDF, PPTX oder ODP." + "body": "Standardmäßig speichert wird Ihre Datei im Präsentationseditor während der Bearbeitung automatisch alle 2 Sekunden gespeichert, um Datenverluste im Falle eines unerwarteten Programmabsturzes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSave auf der Seite Erweiterte Einstellungen deaktivieren. Aktuelle Präsentation manuell speichern: Klicken Sie in der oberen Symbolleiste auf das Symbol Speichern oder nutzen Sie die Tastenkombination STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Aktuelle Präsentation drucken: Klicken Sie in der oberen Symbolleiste auf das Symbol Drucken oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Danach wird basierend auf der Präsentation eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken. Aktuelle Präsentation auf dem PC speichern: Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als. Wählen Sie das gewünschte Format aus: PPTX, PDF oder ODP." }, { "id": "UsageInstructions/SetSlideParameters.htm", diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index 4a59efe2e..c3389ed9b 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -35,7 +35,7 @@ PPT File format used by Microsoft PowerPoint + - + + diff --git a/apps/presentationeditor/main/resources/help/en/search/indexes.js b/apps/presentationeditor/main/resources/help/en/search/indexes.js index 72b15fc6a..7cdcd56d6 100644 --- a/apps/presentationeditor/main/resources/help/en/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/en/search/indexes.js @@ -38,7 +38,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Electronic Presentations", - "body": "Supported Formats of Electronic Presentation Presentation is a set of slides that may include different type of content such as images, media files, text, effects etc. Presentation Editor handles the following presentation formats: Formats Description View Edit Download PPTX Office Open XML Presentation Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + PPT File format used by Microsoft PowerPoint + + ODP OpenDocument Presentation File format that represents presentation document created by Impress application, which is a part of OpenOffice based office suites + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems +" + "body": "Supported Formats of Electronic Presentation Presentation is a set of slides that may include different type of content such as images, media files, text, effects etc. Presentation Editor handles the following presentation formats: Formats Description View Edit Download PPTX Office Open XML Presentation Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + PPT File format used by Microsoft PowerPoint + ODP OpenDocument Presentation File format that represents presentation document created by Impress application, which is a part of OpenOffice based office suites + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems +" }, { "id": "ProgramInterface/CollaborationTab.htm", diff --git a/apps/presentationeditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm index ffd558888..43f990fa5 100644 --- a/apps/presentationeditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm @@ -34,7 +34,7 @@ PPT Formato de archivo usado por Microsoft PowerPoint + - + + diff --git a/apps/presentationeditor/main/resources/help/es/search/indexes.js b/apps/presentationeditor/main/resources/help/es/search/indexes.js index 4f44e991d..f5da591ba 100644 --- a/apps/presentationeditor/main/resources/help/es/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/es/search/indexes.js @@ -3,7 +3,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "Acerca del editor de presentaciones", - "body": "El editor de presentaciones es una aplicación en línea que le permite ver y editar presentaciones directamente en su navegador . Usando el editor de presentaciones, usted puede realizar varias operaciones de edición como en cualquier editor de escritorio, imprimir las presentaciones editadas manteniendo todos los detalles de formato o descargarlas al disco duro de su ordenador como PDF o PPTX. Para ver la versión de software actual y los detalles de licenciador, haga clic en el icono en la barra de menú a la izquierda." + "body": "El editor de presentaciones es una aplicación en línea que le permite ver y editar presentaciones directamente en su navegador . Usando el editor de presentaciones, usted puede realizar varias operaciones de edición como en cualquier editor de escritorio, imprimir las presentaciones editadas manteniendo todos los detalles de formato o descargarlas al disco duro de su ordenador como PPTX, PDF o ODP. Para ver la versión de software actual y los detalles de licenciador, haga clic en el icono en la barra de menú a la izquierda." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -18,7 +18,7 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Atajos de teclado", - "body": "Trabajando con presentación Abrir panel 'Archivo' Alt+F Abre el panel Archivo para guardar, descargar, imprimir la presentación actual, ver su información, crear una presentación nueva o abrir la existente, acceder a la ayuda o los ajustes avanzados de el Editor de Presentaciones. Abrir panel de 'Búsqueda' Ctrl+F Abre el panel Búsqueda para empezar a buscar el carácter/palabra/frase en la presentación editada recientemente. Abrir panel 'Comentarios' Ctrl+Shift+H Abre el panel Comentarios para añadir su comentario propio o contestar a comentarios de otros usuarios. Abrir campo de comentarios Alt+H Abre un campo en el cual usted puede añadir un texto o su comentario. Abrir panel 'Chat' Alt+Q Abre el panel Chat y envía un mensaje. Guardar presentación Ctrl+S Guarda todos los cambios en la presentación editada actualmente con el Editor de Presentaciones. Imprimir presentación Ctrl+P Imprime la presentación o la guarda en un archivo. Descargar como... Ctrl+Shift+S Guarda la presentación actualmente editada al disco duro de su ordenador en uno de los formatos compatibles: PDF, PPTX. Pantalla completa F11 Cambia a la vista de pantalla completa para ajustar el editor de presentaciones a su pantalla. Menú de ayuda F1 Abre el menú de Ayuda del editor de presentaciones. Navegación La primera diapositiva Inicio Abre la primera diapositiva de la presentación actualmente editada. La última diapositiva Fin Abre la última diapositiva de la presentación actualmente editada. Siguiente diapositiva PgDn Abre la diapositiva siguiente de la presentación que está editando. Diapositiva anterior PgUp Abre la diapositiva anterior de la presentación que esta editando. Seleccionar la forma siguiente Tabulación Elije la forma que va después de la seleccionada. Seleccionar la forma anterior Shift+Tab Elige la forma que va antes de la seleccionada. Acercar Ctrl++ Acerca la presentación que se está editando. Alejar Ctrl+- Aleja la presentación que se está editando. Acciones con diapositivas Diapositiva nueva Ctrl+M Crea una diapositiva nueva y añádala después de la seleccionada. Duplicar diapositiva Ctrl+D Duplica la diapositiva seleccionada. Desplazar diapositiva hacia arriba Ctrl+flecha hacia arriba Desplaza la diapositiva seleccionada arriba de la anterior en la lista. Desplazar diapositiva hacia abajo Ctrl+flecha hacia abajo Desplaza la diapositiva seleccionada debajo de la siguiente en la lista. Desplazar diapositiva al principio Ctrl+Shift+flecha hacia arriba Desplaza la diapositiva seleccionada a la primera posición en la lista. Desplazar diapositiva al final Ctrl+Shift+flecha hacia abajo Desplaza la diapositiva seleccionada a la última posición en la lista. Acciones con objetos Crear una copia Ctrl+arrastrar o Ctrl+D Mantenga apretada la tecla Ctrl mientras arrastra el objeto seleccionado o pulse la combinación Ctrl+D para crear su copia. Agrupar Ctrl+G Agrupa los objetos seleccionados. Desagrupar Ctrl+Shift+G Desagrupa el grupo de objetos seleccionado. Modificación de objetos Limitar movimiento Shift+drag Limita el movimiento horizontal y vertical del objeto seleccionado. Establecer rotación de 15 grados Shift+arrastrar(mientras rota) Limita el ángulo de rotación a incrementos de 15 grados. Mantener proporciones Shift+arrastrar (mientras redimensiona) Mantiene las proporciones del objeto seleccionado mientras este cambia de tamaño. Desplazar píxel a píxel Ctrl Mantenga apretada la tecla Ctrl y use las flechas del teclado para desplazar el objeto seleccionado de un píxel a un píxel cada vez. Obtener vista previa de la presentación Obtener una vista previa desde el principio Ctrl+F5 Muestra la vista previa de una presentación empezando con la primera diapositiva. Navegar hacia delante ENTER, PAGE DOWN, FLECHA DERECHA, FLECHA HACIA ABAJO, o SPACEBAR Realiza la animación siguiente o abre la diapositiva siguiente. Navegar hacia atrás PAGE UP, FLECHA IZQUIERDA, FLECHA HACIA ARRIBA Realiza la animación anterior o abre la diapositiva anterior. Cerrar vista previa ESC Finalizar una presentación. Deshacer y Rehacer Deshacer Ctrl+Z Invierte las últimas acciones realizadas. Rehacer Ctrl+Y Repite la última acción deshecha. Cortar, copiar, y pegar Cortar Ctrl+X, Shift+Delete Corta el objeto seleccionado y lo envía al portapapeles de su ordenador. El objeto que se ha cortado se puede insertar en otro lugar en la misma presentación. Copiar Ctrl+C, Ctrl+Insert Envía el objeto seleccionado al portapapeles de su ordenador. Después el objeto copiado se puede insertar en otro lugar de la misma presentación. Pegar Ctrl+V, Shift+Insert Inserta el objeto anteriormente copiado del portapapeles de su ordenador a la posición actual del cursor. El objeto se puede copiar anteriormente de la misma presentación. Insertar hiperenlace Ctrl+K Inserta un hiperenlace que puede usarse para ir a una dirección web o a una diapositiva en concreto de la presentación. Copiar estilo Ctrl+Shift+C Copia el formato del fragmento seleccionado del texto que se está editando actualmente. Después el formato copiado se puede aplicar a cualquier fragmento de la misma presentación. Aplicar estilo Ctrl+Shift+V Aplica el formato anteriormente copiado al texto en el cuadro de texto que se está editando. Seleccionar con el ratón Añadir el fragmento seleccionado Shift Empiece la selección, mantenga apretada la tecla Shift y pulse en un lugar donde usted quiere terminar la selección. Seleccionar con el teclado Seleccionar todo Ctrl+A Selecciona todas las diapositivas (en la lista de diapositivas) o todos los objetos en la diapositiva (en el área de edición de diapositiva) o todo el texto (en el bloque de texto) - en función de la posición del cursor de ratón. Seleccionar fragmento de texto Shift+Arrow Selecciona el texto carácter por carácter. Seleccionar texto desde el cursor hasta principio de línea Shift+Home Selecciona un fragmento del texto del cursor hasta el principio de la línea actual. Seleccionar texto desde el cursor hasta el final de línea Shift+End Selecciona un fragmento del texto desde el cursor al final de la línea actual. Estilo de texto Negrita Ctrl+B Pone la letra de un fragmento del texto seleccionado en negrita dándole más peso. Cursiva Ctrl+I Pone un fragmento del texto seleccionado en cursiva dándole el plano inclinado a la derecha. Subrayado Ctrl+U Subraya un fragmento del texto seleccionado. Sobreíndice Ctrl+.(punto) Pone un fragmento del texto seleccionado en letras pequeñas y lo coloca en la parte baja de la línea del texto, por ejemplo como en formulas químicas. Subíndice Ctrl+,(coma) Pone un fragmento del texto seleccionado en letras pequeñas y lo coloca en la parte superior de la línea del texto, por ejemplo como en fracciones. Lista con puntos Ctrl+Shift+L Crea una lista con puntos desordenada de un fragmento del texto seleccionado o inicia una nueva. Eliminar formato Ctrl+Spacebar Elimine el formato de un fragmento del texto seleccionado. Aumentar tipo de letra Ctrl+] Aumenta el tamaño de las letras de un fragmento del texto seleccionado en un punto. Disminuir tipo de letra Ctrl+[ Disminuye el tamaño de las letras de un fragmento del texto seleccionado en un punto. Alinear centro/izquierda Ctrl+E Alterna un párrafo entre el centro y alineado a la izquierda. Alinear justificado/izquierda Ctrl+J Alterna un párrafo entre justificado y alineado a la izquierda. Alinear derecha /izquierda Ctrl+R Alterna un párrafo entre alineado a la derecha y alineado a la izquierda. Alinear a la izquierda Ctrl+L Alinea el fragmento de texto a la izquierda, la parte derecha permanece sin alinear." + "body": "Trabajando con presentación Abrir panel 'Archivo' Alt+F Abre el panel Archivo para guardar, descargar, imprimir la presentación actual, ver su información, crear una presentación nueva o abrir la existente, acceder a la ayuda o los ajustes avanzados de el Editor de Presentaciones. Abrir panel de 'Búsqueda' Ctrl+F Abre el panel Búsqueda para empezar a buscar el carácter/palabra/frase en la presentación editada recientemente. Abrir panel 'Comentarios' Ctrl+Shift+H Abre el panel Comentarios para añadir su comentario propio o contestar a comentarios de otros usuarios. Abrir campo de comentarios Alt+H Abre un campo en el cual usted puede añadir un texto o su comentario. Abrir panel 'Chat' Alt+Q Abre el panel Chat y envía un mensaje. Guardar presentación Ctrl+S Guarda todos los cambios en la presentación editada actualmente con el Editor de Presentaciones. Imprimir presentación Ctrl+P Imprime la presentación o la guarda en un archivo. Descargar como... Ctrl+Shift+S Guarda la presentación actualmente editada al disco duro de su ordenador en uno de los formatos compatibles: PPTX, PDF, ODP. Pantalla completa F11 Cambia a la vista de pantalla completa para ajustar el editor de presentaciones a su pantalla. Menú de ayuda F1 Abre el menú de Ayuda del editor de presentaciones. Navegación La primera diapositiva Inicio Abre la primera diapositiva de la presentación actualmente editada. La última diapositiva Fin Abre la última diapositiva de la presentación actualmente editada. Siguiente diapositiva PgDn Abre la diapositiva siguiente de la presentación que está editando. Diapositiva anterior PgUp Abre la diapositiva anterior de la presentación que esta editando. Seleccionar la forma siguiente Tabulación Elije la forma que va después de la seleccionada. Seleccionar la forma anterior Shift+Tab Elige la forma que va antes de la seleccionada. Acercar Ctrl++ Acerca la presentación que se está editando. Alejar Ctrl+- Aleja la presentación que se está editando. Acciones con diapositivas Diapositiva nueva Ctrl+M Crea una diapositiva nueva y añádala después de la seleccionada. Duplicar diapositiva Ctrl+D Duplica la diapositiva seleccionada. Desplazar diapositiva hacia arriba Ctrl+flecha hacia arriba Desplaza la diapositiva seleccionada arriba de la anterior en la lista. Desplazar diapositiva hacia abajo Ctrl+flecha hacia abajo Desplaza la diapositiva seleccionada debajo de la siguiente en la lista. Desplazar diapositiva al principio Ctrl+Shift+flecha hacia arriba Desplaza la diapositiva seleccionada a la primera posición en la lista. Desplazar diapositiva al final Ctrl+Shift+flecha hacia abajo Desplaza la diapositiva seleccionada a la última posición en la lista. Acciones con objetos Crear una copia Ctrl+arrastrar o Ctrl+D Mantenga apretada la tecla Ctrl mientras arrastra el objeto seleccionado o pulse la combinación Ctrl+D para crear su copia. Agrupar Ctrl+G Agrupa los objetos seleccionados. Desagrupar Ctrl+Shift+G Desagrupa el grupo de objetos seleccionado. Modificación de objetos Limitar movimiento Shift+drag Limita el movimiento horizontal y vertical del objeto seleccionado. Establecer rotación de 15 grados Shift+arrastrar(mientras rota) Limita el ángulo de rotación a incrementos de 15 grados. Mantener proporciones Shift+arrastrar (mientras redimensiona) Mantiene las proporciones del objeto seleccionado mientras este cambia de tamaño. Desplazar píxel a píxel Ctrl Mantenga apretada la tecla Ctrl y use las flechas del teclado para desplazar el objeto seleccionado de un píxel a un píxel cada vez. Obtener vista previa de la presentación Obtener una vista previa desde el principio Ctrl+F5 Muestra la vista previa de una presentación empezando con la primera diapositiva. Navegar hacia delante ENTER, PAGE DOWN, FLECHA DERECHA, FLECHA HACIA ABAJO, o SPACEBAR Realiza la animación siguiente o abre la diapositiva siguiente. Navegar hacia atrás PAGE UP, FLECHA IZQUIERDA, FLECHA HACIA ARRIBA Realiza la animación anterior o abre la diapositiva anterior. Cerrar vista previa ESC Finalizar una presentación. Deshacer y Rehacer Deshacer Ctrl+Z Invierte las últimas acciones realizadas. Rehacer Ctrl+Y Repite la última acción deshecha. Cortar, copiar, y pegar Cortar Ctrl+X, Shift+Delete Corta el objeto seleccionado y lo envía al portapapeles de su ordenador. El objeto que se ha cortado se puede insertar en otro lugar en la misma presentación. Copiar Ctrl+C, Ctrl+Insert Envía el objeto seleccionado al portapapeles de su ordenador. Después el objeto copiado se puede insertar en otro lugar de la misma presentación. Pegar Ctrl+V, Shift+Insert Inserta el objeto anteriormente copiado del portapapeles de su ordenador a la posición actual del cursor. El objeto se puede copiar anteriormente de la misma presentación. Insertar hiperenlace Ctrl+K Inserta un hiperenlace que puede usarse para ir a una dirección web o a una diapositiva en concreto de la presentación. Copiar estilo Ctrl+Shift+C Copia el formato del fragmento seleccionado del texto que se está editando actualmente. Después el formato copiado se puede aplicar a cualquier fragmento de la misma presentación. Aplicar estilo Ctrl+Shift+V Aplica el formato anteriormente copiado al texto en el cuadro de texto que se está editando. Seleccionar con el ratón Añadir el fragmento seleccionado Shift Empiece la selección, mantenga apretada la tecla Shift y pulse en un lugar donde usted quiere terminar la selección. Seleccionar con el teclado Seleccionar todo Ctrl+A Selecciona todas las diapositivas (en la lista de diapositivas) o todos los objetos en la diapositiva (en el área de edición de diapositiva) o todo el texto (en el bloque de texto) - en función de la posición del cursor de ratón. Seleccionar fragmento de texto Shift+Arrow Selecciona el texto carácter por carácter. Seleccionar texto desde el cursor hasta principio de línea Shift+Home Selecciona un fragmento del texto del cursor hasta el principio de la línea actual. Seleccionar texto desde el cursor hasta el final de línea Shift+End Selecciona un fragmento del texto desde el cursor al final de la línea actual. Estilo de texto Negrita Ctrl+B Pone la letra de un fragmento del texto seleccionado en negrita dándole más peso. Cursiva Ctrl+I Pone un fragmento del texto seleccionado en cursiva dándole el plano inclinado a la derecha. Subrayado Ctrl+U Subraya un fragmento del texto seleccionado. Sobreíndice Ctrl+.(punto) Pone un fragmento del texto seleccionado en letras pequeñas y lo coloca en la parte baja de la línea del texto, por ejemplo como en formulas químicas. Subíndice Ctrl+,(coma) Pone un fragmento del texto seleccionado en letras pequeñas y lo coloca en la parte superior de la línea del texto, por ejemplo como en fracciones. Lista con puntos Ctrl+Shift+L Crea una lista con puntos desordenada de un fragmento del texto seleccionado o inicia una nueva. Eliminar formato Ctrl+Spacebar Elimine el formato de un fragmento del texto seleccionado. Aumentar tipo de letra Ctrl+] Aumenta el tamaño de las letras de un fragmento del texto seleccionado en un punto. Disminuir tipo de letra Ctrl+[ Disminuye el tamaño de las letras de un fragmento del texto seleccionado en un punto. Alinear centro/izquierda Ctrl+E Alterna un párrafo entre el centro y alineado a la izquierda. Alinear justificado/izquierda Ctrl+J Alterna un párrafo entre justificado y alineado a la izquierda. Alinear derecha /izquierda Ctrl+R Alterna un párrafo entre alineado a la derecha y alineado a la izquierda. Alinear a la izquierda Ctrl+L Alinea el fragmento de texto a la izquierda, la parte derecha permanece sin alinear." }, { "id": "HelpfulHints/Navigation.htm", @@ -38,7 +38,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formatos compatibles de presentaciones electrónicas", - "body": "La presentación es un conjunto de diapositivas que puede incluir distintos tipos de contenido por como imágenes, archivos multimedia, texto, efectos etc. El editor de presentaciones es compatible con los siguientes formatos de presentaciones: Formatos Descripción Ver Editar Descargar PPTX Presentación Office Open XML El formato de archivo comprimido, basado en XML desarrollado por Microsoft para representación de hojas de cálculo, gráficos, presentaciones, y documentos de procesamiento de texto + + + PPT Formato de archivo usado por Microsoft PowerPoint + + ODP Presentación OpenDocument El formato que representa un documento de presentación creado por la aplicación Impress, que es parte de las oficinas suites basadas en OpenOffice + + + PDF Formato de documento portátil Es un formato de archivo usado para la representación de documentos en una manera independiente de la aplicación de software, hardware, y sistemas operativos +" + "body": "La presentación es un conjunto de diapositivas que puede incluir distintos tipos de contenido por como imágenes, archivos multimedia, texto, efectos etc. El editor de presentaciones es compatible con los siguientes formatos de presentaciones: Formatos Descripción Ver Editar Descargar PPTX Presentación Office Open XML El formato de archivo comprimido, basado en XML desarrollado por Microsoft para representación de hojas de cálculo, gráficos, presentaciones, y documentos de procesamiento de texto + + + PPT Formato de archivo usado por Microsoft PowerPoint + ODP Presentación OpenDocument El formato que representa un documento de presentación creado por la aplicación Impress, que es parte de las oficinas suites basadas en OpenOffice + + + PDF Formato de documento portátil Es un formato de archivo usado para la representación de documentos en una manera independiente de la aplicación de software, hardware, y sistemas operativos +" }, { "id": "ProgramInterface/CollaborationTab.htm", @@ -68,12 +68,12 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introduciendo el interfaz de usuario de Editor de Presentación", - "body": "El Editor de Presentación usa un interfaz de pestañas donde los comandos de edición se agrupan en pestañas de manera funcional. El interfaz de edición consiste en los siguientes elementos principales: El Encabezado del editor muestra el logo, pestañas de menú, el nombre de la presentación y dos iconos a la derecha que permiten ajustar derechos de acceso y volver a la lista de Documentos. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Colaboración, Extensiones.Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer, Volver a hacer y Añadir diapositiva están siempre disponibles en la parte izquierda de la Barra de herramientas superior independientemente de la pestaña seleccionada. La Barra de estado de debajo de la ventana del editor contiene el icono Empezar presentación de diapositivas, y varias herramientas de navegación: indicador de número de diapositivas y botones de zoom. La Barra de estado también muestra varias notificaciones (como \"Todos los cambios se han guardado\" etc.) y permite ajustar un idioma para el texto y activar la corrección ortográfica. La Barra lateral izquierda contiene iconos que permiten el uso de la herramienta Buscar, minimizar/expandir la lista de diapositivas, abrir el panel Comentarios y Chat, contactar a nuestro equipo de ayuda y ver la información del programa. La Barra lateral derecha permite ajustar parámetros adicionales de objetos distintos. Cuando selecciona un objeto en particular en una diapositiva, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha. Las Reglas horizontales y verticales le ayudan a colocar objetos en una diapositiva y le permiten establecer paradas del tabulador y sangrías dentro de cuadros de texto. El área de trabajo permite ver contenido de presentación, introducir y editar datos. La Barra de desplazamiento a la derecha permite desplazar la presentación hacia arriba y hacia abajo. Para su conveniencia, puede ocultar varios componentes y mostrarlos de nuevo cuando sea necesario. Para aprender más sobre cómo ajustar los ajustes de vista vaya a esta página." + "body": "El Editor de Presentación usa un interfaz de pestañas donde los comandos de edición se agrupan en pestañas de manera funcional. El interfaz de edición consiste en los siguientes elementos principales: El Encabezado del editor muestra el logo, pestañas de menú, el nombre de la presentación y dos iconos a la derecha que permiten ajustar derechos de acceso y volver a la lista de Documentos. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Colaboración, Extensiones.Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Volver a hacer están siempre disponibles en la parte izquierda de la Barra de herramientas superior independientemente de la pestaña seleccionada. La Barra de estado de debajo de la ventana del editor contiene el icono Empezar presentación de diapositivas, y varias herramientas de navegación: indicador de número de diapositivas y botones de zoom. La Barra de estado también muestra varias notificaciones (como \"Todos los cambios se han guardado\" etc.) y permite ajustar un idioma para el texto y activar la corrección ortográfica. La Barra lateral izquierda contiene iconos que permiten el uso de la herramienta Buscar, minimizar/expandir la lista de diapositivas, abrir el panel Comentarios y Chat, contactar a nuestro equipo de ayuda y ver la información del programa. La Barra lateral derecha permite ajustar parámetros adicionales de objetos distintos. Cuando selecciona un objeto en particular en una diapositiva, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha. Las Reglas horizontales y verticales le ayudan a colocar objetos en una diapositiva y le permiten establecer paradas del tabulador y sangrías dentro de cuadros de texto. El área de trabajo permite ver contenido de presentación, introducir y editar datos. La Barra de desplazamiento a la derecha permite desplazar la presentación hacia arriba y hacia abajo. Para su conveniencia, puede ocultar varios componentes y mostrarlos de nuevo cuando sea necesario. Para aprender más sobre cómo ajustar los ajustes de vista vaya a esta página." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Añada hiperenlace", - "body": "Para añadir un hiperenlace, coloque el cursor en la posición dentro del cuadro de texto donde quiere añadir un hiperenlace, cambie a al pestaña Insertar en la barra de herramientas superior, pulse el icono Hiperenlaceen la barra de herramientas superior, Después de estos pasos, la ventana Configuración de hiperenlace se abrirá, y usted podrá especificar los parámetros del hiperenlace: Tipo de enlace seleccione el tipo de enlace que quiere insertar en la lista desplegable: Use la opción Enlace externo e introduzca una URL en el formato http://www.example.com en el campo debajo de Enlace a si usted necesita añadir un hiperenlace a un sitio web externo. Use la opción Diapositiva en esta presentación y seleccione una de las opciones de debajo si usted necesita añadir un hiperenlace a una cierta diapositiva de la misma presentación. Usted puede verificar una de las siguientes casillas: Diapositiva siguiente, Diapositiva anterior, Primera diapositiva, Última diapositiva, Diapositiva con el número especificado. Mostrar - introduzca texto sobre el que se pueda hacer clic para ir a la dirección web/diapositiva especificada en el campo de arriba. Información en pantalla - introduzca un texto que se hará visible en una ventana emergente y que le proporciona una nota breve o una etiqueta al enlace que se indica. Pulse el botón OK. Para añadir un hiperenlace, usted también puede hacer clic con el botón derecho del ratón en la posición donde se insertará el hiperenlace y seleccionar la opción Hiperenlace en el menú contextual o usar la combinación de teclas Ctrl+K. Nota: también es posible seleccionar un símbolo, palabra o combinación de palabras con el ratón o usando el teclado y pulsar el icono hiperenlace en la pestaña Insertar en la barra de herramientas superior o hacer clic derecho sobre la selección y elegir la opción Hiperenlace del menú. Después, la ventana que se muestra arriba se abrirá con el campo de Mostrar, completado con el texto del fragmento seleccionado. Si mantiene el cursor encima del hiperenlace añadido, aparecerá la Información en pantalla con el texto que ha especificado. Usted puede seguir el enlace pulsando la tecla CTRL y haciendo clic sobre el enlace en su presentación. Para editar o borrar el hiperenlace añadido, haga clic en este mismo con el botón derecho del ratón, seleccione la opción Hiperenlace en el menú contextual y la acción que quiere realizar - Editar hiperenlace o Eliminar hiperenlace." + "body": "Para añadir un hiperenlace, coloque el cursor en la posición dentro del cuadro de texto donde quiere añadir un hiperenlace, cambie a al pestaña Insertar en la barra de herramientas superior, pulse el icono Hiperenlaceen la barra de herramientas superior, Después de estos pasos, la ventana Configuración de hiperenlace se abrirá, y usted podrá especificar los parámetros del hiperenlace: seleccione el tipo de enlace que quiere insertar: Use la opción Enlace externo e introduzca una URL en el formato http://www.example.com en el campo debajo de Enlace a si usted necesita añadir un hiperenlace a un sitio web externo. Use la opción Diapositiva en esta presentación y seleccione una de las opciones de debajo si usted necesita añadir un hiperenlace a una cierta diapositiva de la misma presentación. Usted puede verificar una de las siguientes casillas: Diapositiva siguiente, Diapositiva anterior, Primera diapositiva, Última diapositiva, Diapositiva con el número especificado. Mostrar - introduzca texto sobre el que se pueda hacer clic para ir a la dirección web/diapositiva especificada en el campo de arriba. Información en pantalla - introduzca un texto que se hará visible en una ventana emergente y que le proporciona una nota breve o una etiqueta al enlace que se indica. Pulse el botón OK. Para añadir un hiperenlace, usted también puede hacer clic con el botón derecho del ratón en la posición donde se insertará el hiperenlace y seleccionar la opción Hiperenlace en el menú contextual o usar la combinación de teclas Ctrl+K. Nota: también es posible seleccionar un símbolo, palabra o combinación de palabras con el ratón o usando el teclado y pulsar el icono hiperenlace en la pestaña Insertar en la barra de herramientas superior o hacer clic derecho sobre la selección y elegir la opción Hiperenlace del menú. Después, la ventana que se muestra arriba se abrirá con el campo de Mostrar, completado con el texto del fragmento seleccionado. Si mantiene el cursor encima del hiperenlace añadido, aparecerá la Información en pantalla con el texto que ha especificado. Usted puede seguir el enlace pulsando la tecla CTRL y haciendo clic sobre el enlace en su presentación. Para editar o borrar el hiperenlace añadido, haga clic en este mismo con el botón derecho del ratón, seleccione la opción Hiperenlace en el menú contextual y la acción que quiere realizar - Editar hiperenlace o Eliminar hiperenlace." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -158,7 +158,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Guarde/imprima/descargue su presentación", - "body": "Cuando usted trabaja en su presentación, el editor de presentaciones guarda su archivo cada 2 segundos automáticamente preveniendo la pérdida de datos en caso de un cierre inesperado del programa. Si está editando el archivo con varias personas a la vez en el modo Rápido, el temporizador requiere actualizaciones 25 veces por segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias personas a la vez en el modo Estricto, los cambios se guardan de forma automática cada 10 minutos. Si lo necesita, puede de forma fácil seleccionar el modo de co-edición preferido o desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar su presentación actual de forma manual, pulse el icono Guardar en la barra de herramientas superior, o use la combinación de las teclas Ctrl+S, o haga clic en la pestaña Archivo en la barra de herramientas superior y seleccione la opción Guardar. Para imprimir la presentación actual, haga clic en el icono Imprimir en la barra de herramientas superior, o use la combinación de las teclas Ctrl+P, o haga clic en la pestaña Archivo en la barra de herramientas superior y seleccione la opción Imprimir. Después el archivo PDF se generará basándose en la presentación editada. Usted puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde. Para descargar la presentación al disco duro de su ordenador, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Descargar como, elija uno de los siguientes formatos disponibles dependiendo en sus necesidades: PDF, PPTX o ODP." + "body": "Cuando usted trabaja en su presentación, el editor de presentaciones guarda su archivo cada 2 segundos automáticamente preveniendo la pérdida de datos en caso de un cierre inesperado del programa. Si está editando el archivo con varias personas a la vez en el modo Rápido, el temporizador requiere actualizaciones 25 veces por segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias personas a la vez en el modo Estricto, los cambios se guardan de forma automática cada 10 minutos. Si lo necesita, puede de forma fácil seleccionar el modo de co-edición preferido o desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar su presentación actual de forma manual, pulse el icono Guardar en la barra de herramientas superior, o use la combinación de las teclas Ctrl+S, o haga clic en la pestaña Archivo en la barra de herramientas superior y seleccione la opción Guardar. Para imprimir la presentación actual, haga clic en el icono Imprimir en la barra de herramientas superior, o use la combinación de las teclas Ctrl+P, o haga clic en la pestaña Archivo en la barra de herramientas superior y seleccione la opción Imprimir. Después el archivo PDF se generará basándose en la presentación editada. Usted puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde. Para descargar la presentación al disco duro de su ordenador, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Descargar como, elija uno de los siguientes formatos disponibles dependiendo en sus necesidades: PPTX, PDF o ODP." }, { "id": "UsageInstructions/SetSlideParameters.htm", diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm index c43c3fab4..42f7e065d 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm @@ -34,7 +34,7 @@ PPT Format de fichier utilisé par Microsoft PowerPoint + - + + diff --git a/apps/presentationeditor/main/resources/help/fr/search/indexes.js b/apps/presentationeditor/main/resources/help/fr/search/indexes.js index ddb172696..b66ab15c0 100644 --- a/apps/presentationeditor/main/resources/help/fr/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/fr/search/indexes.js @@ -38,7 +38,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formats des présentations électroniques pris en charge", - "body": "La présentation est un ensemble des diapositives qui peut inclure de différents types de contenu tels que des images, des fichiers multimédias, des textes, des effets etc. Presentation Editor supporte les formats suivants : Formats Description Affichage Edition Téléchargement PPTX Présentation Office Open XML Compressé, le format de fichier basé sur XML développé par Microsoft pour représenter des classeurs, des tableaux, des présentations et des documents de traitement de texte + + + PPT Format de fichier utilisé par Microsoft PowerPoint + + ODP Présentation OpenDocument Format de fichier utilisé pour les présentations créées par l'application Impress, qui fait partie des applications OpenOffice + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation +" + "body": "La présentation est un ensemble des diapositives qui peut inclure de différents types de contenu tels que des images, des fichiers multimédias, des textes, des effets etc. Presentation Editor supporte les formats suivants : Formats Description Affichage Edition Téléchargement PPTX Présentation Office Open XML Compressé, le format de fichier basé sur XML développé par Microsoft pour représenter des classeurs, des tableaux, des présentations et des documents de traitement de texte + + + PPT Format de fichier utilisé par Microsoft PowerPoint + ODP Présentation OpenDocument Format de fichier utilisé pour les présentations créées par l'application Impress, qui fait partie des applications OpenOffice + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation +" }, { "id": "ProgramInterface/CollaborationTab.htm", @@ -68,7 +68,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Présentation de l'interface utilisateur de Presentation Editor", - "body": "Presentation Editor utilise une interface à onglets dans laquelle les commandes d'édition sont regroupées en onglets par fonctionnalité. L'interface de l'éditeur est composée des éléments principaux suivants : L'En-tête de l'éditeur affiche le logo, les onglets de menu, le nom de la présentation ainsi que deux icônes sur la droite qui permettent de définir les droits d'accès et de revenir à la liste Documents. La Barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insertion, Collaboration, Modules complémentaires.Les options Imprimer, Enregistrer, Copier, Coller, Annuler, Rétablir et Ajouter une diapositive sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre d'état en bas de la fenêtre de l'éditeur contient l'icône Démarrer le diaporama et certains outils de navigation : l'indicateur de numéro de diapositive et les boutons de zoom. La Barre d'état affiche également certaines notifications (telles que \"Toutes les modifications enregistrées\", etc.) et permet de définir la langue du texte et d'activer la vérification orthographique. La Barre latérale gauche contient des icônes qui permettent d'utiliser l'outil de Recherche, de réduire/agrandir la liste des diapositives, d'ouvrir les panneaux Commentaires et Discussion, de contacter notre équipe de support et d'afficher les informations sur le programme. La Barre latérale droite permet d'ajuster des paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier sur une diapositive, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. Les Règles horizontales et verticales vous aident à placer des objets sur une diapositive et permettent de définir des tabulations et des retraits de paragraphe dans les zones de texte. La Zone de travail permet d'afficher le contenu de la présentation, d'entrer et de modifier les données. La Barre de défilement sur la droite permet de faire défiler la présentation de haut en bas. Pour plus de commodité, vous pouvez masquer certains composants et les afficher à nouveau lorsque cela est nécessaire. Pour en savoir plus sur l'ajustement des paramètres d'affichage, reportez-vous à cette page." + "body": "Presentation Editor utilise une interface à onglets dans laquelle les commandes d'édition sont regroupées en onglets par fonctionnalité. L'interface de l'éditeur est composée des éléments principaux suivants : L'En-tête de l'éditeur affiche le logo, les onglets de menu, le nom de la présentation ainsi que deux icônes sur la droite qui permettent de définir les droits d'accès et de revenir à la liste Documents. La Barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insertion, Collaboration, Modules complémentaires.Les options Imprimer, Enregistrer, Copier, Coller, Annuler et Rétablir sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre d'état en bas de la fenêtre de l'éditeur contient l'icône Démarrer le diaporama et certains outils de navigation : l'indicateur de numéro de diapositive et les boutons de zoom. La Barre d'état affiche également certaines notifications (telles que \"Toutes les modifications enregistrées\", etc.) et permet de définir la langue du texte et d'activer la vérification orthographique. La Barre latérale gauche contient des icônes qui permettent d'utiliser l'outil de Recherche, de réduire/agrandir la liste des diapositives, d'ouvrir les panneaux Commentaires et Discussion, de contacter notre équipe de support et d'afficher les informations sur le programme. La Barre latérale droite permet d'ajuster des paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier sur une diapositive, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. Les Règles horizontales et verticales vous aident à placer des objets sur une diapositive et permettent de définir des tabulations et des retraits de paragraphe dans les zones de texte. La Zone de travail permet d'afficher le contenu de la présentation, d'entrer et de modifier les données. La Barre de défilement sur la droite permet de faire défiler la présentation de haut en bas. Pour plus de commodité, vous pouvez masquer certains composants et les afficher à nouveau lorsque cela est nécessaire. Pour en savoir plus sur l'ajustement des paramètres d'affichage, reportez-vous à cette page." }, { "id": "UsageInstructions/AddHyperlinks.htm", diff --git a/apps/presentationeditor/main/resources/help/it_/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/it_/HelpfulHints/SupportedFormats.htm index c9dea9058..64eba0542 100644 --- a/apps/presentationeditor/main/resources/help/it_/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/it_/HelpfulHints/SupportedFormats.htm @@ -30,7 +30,7 @@ PPT Formato file usato da Microsoft PowerPoint + - + + diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index b5f718d92..ffea0ea32 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -35,7 +35,7 @@ PPT Формат файлов, используемый программой Microsoft PowerPoint + - + + diff --git a/apps/presentationeditor/main/resources/help/ru/search/indexes.js b/apps/presentationeditor/main/resources/help/ru/search/indexes.js index e3ddac82c..b5609d959 100644 --- a/apps/presentationeditor/main/resources/help/ru/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/ru/search/indexes.js @@ -38,7 +38,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных презентаций", - "body": "Презентация - это серия слайдов, которые могут содержать различные типы контента, такие как изображения, файлы мультимедиа, текст, эффекты и т.д. Редактор презентаций работает со следующими форматами презентаций: Форматы Описание Просмотр Редактирование Скачивание PPTX Office Open XML Presentation разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + PPT Формат файлов, используемый программой Microsoft PowerPoint + + ODP OpenDocument Presentation Формат файлов, который представляет презентации, созданные приложением Impress, входящим в состав пакетов офисных приложений на базе OpenOffice + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем +" + "body": "Презентация - это серия слайдов, которые могут содержать различные типы контента, такие как изображения, файлы мультимедиа, текст, эффекты и т.д. Редактор презентаций работает со следующими форматами презентаций: Форматы Описание Просмотр Редактирование Скачивание PPTX Office Open XML Presentation разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + PPT Формат файлов, используемый программой Microsoft PowerPoint + ODP OpenDocument Presentation Формат файлов, который представляет презентации, созданные приложением Impress, входящим в состав пакетов офисных приложений на базе OpenOffice + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем +" }, { "id": "ProgramInterface/CollaborationTab.htm", diff --git a/apps/presentationeditor/mobile/app/controller/Main.js b/apps/presentationeditor/mobile/app/controller/Main.js index 5711d4b2d..fc7e0a79b 100644 --- a/apps/presentationeditor/mobile/app/controller/Main.js +++ b/apps/presentationeditor/mobile/app/controller/Main.js @@ -303,12 +303,17 @@ define([ }, onDownloadAs: function() { + if ( !this.appOptions.canDownload) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + this._state.isFromGatewayDownloadAs = true; this.api.asc_DownloadAs(Asc.c_oAscFileType.PPTX, true); }, - goBack: function() { + goBack: function(current) { var href = this.appOptions.customization.goback.url; - if (this.appOptions.customization.goback.blank!==false) { + if (!current && this.appOptions.customization.goback.blank!==false) { window.open(href, "_blank"); } else { parent.location.href = href; @@ -464,8 +469,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) uiApp.closeModal(this._state.openDlg); @@ -533,6 +536,7 @@ define([ me.applyLicense(); $(document).on('contextmenu', _.bind(me.onContextMenu, me)); + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -799,7 +803,7 @@ define([ break; case Asc.c_oAscError.ID.CoAuthoringDisconnect: - config.msg = (this.appOptions.isEdit) ? this.errorCoAuthoringDisconnect : this.errorViewerDisconnect; + config.msg = this.errorViewerDisconnect; break; case Asc.c_oAscError.ID.ConvertationPassword: @@ -839,6 +843,10 @@ define([ config.msg = this.errorDataEncrypted; break; + case Asc.c_oAscError.ID.AccessDeny: + config.msg = this.errorAccessDeny; + break; + default: config.msg = this.errorDefaultMessage.replace('%1', id); break; @@ -856,7 +864,7 @@ define([ if (this.appOptions.canBackToFolder && !this.appOptions.isDesktopApp) { config.msg += '

' + this.criticalErrorExtText; config.callback = function() { - Common.NotificationCenter.trigger('goback'); + Common.NotificationCenter.trigger('goback', true); } } if (id == Asc.c_oAscError.ID.DataEncrypted) { @@ -1310,7 +1318,7 @@ define([ textBuyNow: 'Visit website', textNoLicenseTitle: 'ONLYOFFICE open source version', textContactUs: 'Contact sales', - errorViewerDisconnect: 'Connection is lost. You can still view the document,
but will not be able to download or print until the connection is restored.', + errorViewerDisconnect: 'Connection is lost. You can still view the document,
but will not be able to download until the connection is restored.', warnLicenseExp: 'Your license has expired.
Please update your license and refresh the page.', titleLicenseExp: 'License expired', openErrorText: 'An error has occurred while opening the file', @@ -1348,7 +1356,8 @@ define([ 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.', errorDataEncrypted: 'Encrypted changes have been received, they cannot be deciphered.', closeButtonText: 'Close File', - scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.' + scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.', + errorAccessDeny: 'You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.' } })(), PE.Controllers.Main || {})) }); \ No newline at end of file diff --git a/apps/presentationeditor/mobile/app/controller/edit/EditChart.js b/apps/presentationeditor/mobile/app/controller/edit/EditChart.js index b69b5f4ed..8d74ad35d 100644 --- a/apps/presentationeditor/mobile/app/controller/edit/EditChart.js +++ b/apps/presentationeditor/mobile/app/controller/edit/EditChart.js @@ -199,6 +199,8 @@ define([ }, _initBorderColorView: function () { + if (!_shapeObject) return; + var me = this, paletteBorderColor = me.getView('EditChart').paletteBorderColor, stroke = _shapeObject.get_stroke(); diff --git a/apps/presentationeditor/mobile/app/controller/edit/EditShape.js b/apps/presentationeditor/mobile/app/controller/edit/EditShape.js index 37fc11849..70d907454 100644 --- a/apps/presentationeditor/mobile/app/controller/edit/EditShape.js +++ b/apps/presentationeditor/mobile/app/controller/edit/EditShape.js @@ -194,6 +194,8 @@ define([ }, _initBorderColorView: function () { + if (!_shapeObject) return; + var me = this, paletteBorderColor = me.getView('EditShape').paletteBorderColor, stroke = _shapeObject.get_stroke(); diff --git a/apps/presentationeditor/mobile/locale/cs.json b/apps/presentationeditor/mobile/locale/cs.json index 3644f661e..fddf8d7fb 100644 --- a/apps/presentationeditor/mobile/locale/cs.json +++ b/apps/presentationeditor/mobile/locale/cs.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Verze souboru byla změněna. Stránka bude znovu načtena.", "PE.Controllers.Main.errorUserDrop": "Tento soubor není nyní přístupný.", "PE.Controllers.Main.errorUsersExceed": "Počet uživatelů byl překročen", - "PE.Controllers.Main.errorViewerDisconnect": "Spojení je ztraceno. Stále můžete zobrazit dokument,
ale nebudete moct stahovat ani tisknout, dokud nebude obnoveno připojení.", + "PE.Controllers.Main.errorViewerDisconnect": "Spojení je přerušeno. Stále můžete zobrazit dokument,
ale nebudete moci stahovat, dokud neobnovíte připojení.", "PE.Controllers.Main.leavePageText": "V tomto dokumentu máte neuložené změny. Klikněte na tlačítko \"Zůstat na této stránce\" a počkejte na automatické ukládání dokumentu.Klikněte na tlačítko \"Opustit tuto stránku\", abyste zrušili všechny neuložené změny.", "PE.Controllers.Main.loadFontsTextText": "Načítání dat...", "PE.Controllers.Main.loadFontsTitleText": "Načítání dat", diff --git a/apps/presentationeditor/mobile/locale/de.json b/apps/presentationeditor/mobile/locale/de.json index a5fdc072c..a040d7730 100644 --- a/apps/presentationeditor/mobile/locale/de.json +++ b/apps/presentationeditor/mobile/locale/de.json @@ -66,8 +66,8 @@ "PE.Controllers.Main.criticalErrorTitle": "Fehler", "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Herunterladen ist fehlgeschlagen.", - "PE.Controllers.Main.downloadTextText": "Dokument wird heruntergeladen...", - "PE.Controllers.Main.downloadTitleText": "Herunterladen des Dokuments", + "PE.Controllers.Main.downloadTextText": "Präsentation wird heruntergeladen...", + "PE.Controllers.Main.downloadTitleText": "Präsentation wird heruntergeladen", "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", @@ -84,7 +84,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", "PE.Controllers.Main.errorUserDrop": "Kein Zugriff auf diese Datei ist möglich.", "PE.Controllers.Main.errorUsersExceed": "Die Anzahl der Benutzer ist überschritten ", - "PE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist verloren. Man kann das Dokument anschauen.
Es ist aber momentan nicht möglich, ihn herunterzuladen oder auszudrücken bis die Verbindung wiederhergestellt wird.", + "PE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist unterbrochen. Man kann das Dokument anschauen,
aber nicht herunterladen bis die Verbindung wiederhergestellt wird.", "PE.Controllers.Main.leavePageText": "Dieses Dokument enthält ungespeicherte Änderungen. Klicken Sie \"Auf dieser Seite bleiben\", um auf automatisches Speichern des Dokumentes zu warten. Klicken Sie \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", "PE.Controllers.Main.loadFontsTextText": "Daten werden geladen...", "PE.Controllers.Main.loadFontsTitleText": "Daten werden geladen", diff --git a/apps/presentationeditor/mobile/locale/en.json b/apps/presentationeditor/mobile/locale/en.json index c7d3eb8db..a0e811d9a 100644 --- a/apps/presentationeditor/mobile/locale/en.json +++ b/apps/presentationeditor/mobile/locale/en.json @@ -66,8 +66,9 @@ "PE.Controllers.Main.criticalErrorTitle": "Error", "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Download failed.", - "PE.Controllers.Main.downloadTextText": "Downloading document...", - "PE.Controllers.Main.downloadTitleText": "Downloading Document", + "PE.Controllers.Main.errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.", + "PE.Controllers.Main.downloadTextText": "Downloading presentation...", + "PE.Controllers.Main.downloadTitleText": "Downloading Presentation", "PE.Controllers.Main.errorBadImageUrl": "Image URL is incorrect", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. You can't edit anymore.", "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", @@ -84,7 +85,7 @@ "PE.Controllers.Main.errorUpdateVersion": "The file version has been changed. The page will be reloaded.", "PE.Controllers.Main.errorUserDrop": "The file cannot be accessed right now.", "PE.Controllers.Main.errorUsersExceed": "The number of users was exceeded", - "PE.Controllers.Main.errorViewerDisconnect": "Connection is lost. You can still view the document,
but will not be able to download or print until the connection is restored.", + "PE.Controllers.Main.errorViewerDisconnect": "Connection is lost. You can still view the document,
but will not be able to download until the connection is restored.", "PE.Controllers.Main.leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.", "PE.Controllers.Main.loadFontsTextText": "Loading data...", "PE.Controllers.Main.loadFontsTitleText": "Loading Data", diff --git a/apps/presentationeditor/mobile/locale/es.json b/apps/presentationeditor/mobile/locale/es.json index 685d4e7de..c50ac2cb0 100644 --- a/apps/presentationeditor/mobile/locale/es.json +++ b/apps/presentationeditor/mobile/locale/es.json @@ -66,8 +66,8 @@ "PE.Controllers.Main.criticalErrorTitle": "Error", "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Error en la descarga", - "PE.Controllers.Main.downloadTextText": "Cargando documento...", - "PE.Controllers.Main.downloadTitleText": "Cargando documento", + "PE.Controllers.Main.downloadTextText": "Descargando presentación...", + "PE.Controllers.Main.downloadTitleText": "Descargando presentación", "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, verifique los ajustes de conexión o contacte con su administrador.
Cuando pulsa 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í", @@ -84,7 +84,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Se ha cambiado la versión del archivo. La página será actualizada.", "PE.Controllers.Main.errorUserDrop": "No se puede acceder al archivo ahora.", "PE.Controllers.Main.errorUsersExceed": "El número de usuarios fue superado", - "PE.Controllers.Main.errorViewerDisconnect": "Se pierde la conexión. Usted todavía puede visualizar el documento,
pero no puede descargar o imprimirlo hasta que la conexión sea restaurada.", + "PE.Controllers.Main.errorViewerDisconnect": "Se pierde la conexión. Usted todavía puede visualizar el documento,
pero no puede descargarlo antes de que conexión sea restaurada.", "PE.Controllers.Main.leavePageText": "Hay cambios no guardados en este documento. Haga clic en \"Permanecer en esta página\" para esperar la función de guardar automáticamente del documento. Haga clic en \"Abandonar esta página\" para descartar todos los cambios no guardados.", "PE.Controllers.Main.loadFontsTextText": "Cargando datos...", "PE.Controllers.Main.loadFontsTitleText": "Cargando datos", diff --git a/apps/presentationeditor/mobile/locale/fr.json b/apps/presentationeditor/mobile/locale/fr.json index e9ab833d3..95b114fff 100644 --- a/apps/presentationeditor/mobile/locale/fr.json +++ b/apps/presentationeditor/mobile/locale/fr.json @@ -66,8 +66,8 @@ "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 du document...", - "PE.Controllers.Main.downloadTitleText": "Téléchargement du document", + "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.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", @@ -84,7 +84,7 @@ "PE.Controllers.Main.errorUpdateVersion": "La version du fichier a été changée. La page sera rechargée.", "PE.Controllers.Main.errorUserDrop": "Impossible d'accéder au fichier.", "PE.Controllers.Main.errorUsersExceed": "Le nombre des utilisateurs a été dépassé", - "PE.Controllers.Main.errorViewerDisconnect": "La connexion a été perdue. Vous pouvez toujours afficher le document,
mais ne pouvez pas le télécharger jusqu'à ce que la connexion soit rétablie.", + "PE.Controllers.Main.errorViewerDisconnect": "La connexion a été perdue. Vous pouvez toujours afficher le document,
mais vous ne pourrez pas le téléсharger tant que la connexion n'est pas restaurée.", "PE.Controllers.Main.leavePageText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette Page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette Page' pour ignorer toutes les modifications non enregistrées.", "PE.Controllers.Main.loadFontsTextText": "Chargement des données en cours...", "PE.Controllers.Main.loadFontsTitleText": "Chargement des données", diff --git a/apps/presentationeditor/mobile/locale/it.json b/apps/presentationeditor/mobile/locale/it.json index bb6c89e56..307da0f03 100644 --- a/apps/presentationeditor/mobile/locale/it.json +++ b/apps/presentationeditor/mobile/locale/it.json @@ -66,8 +66,8 @@ "PE.Controllers.Main.criticalErrorTitle": "Errore", "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Download non riuscito.", - "PE.Controllers.Main.downloadTextText": "Download del documento in corso...", - "PE.Controllers.Main.downloadTitleText": "Download del documento", + "PE.Controllers.Main.downloadTextText": "Download della presentazione in corso...", + "PE.Controllers.Main.downloadTitleText": "Download della presentazione", "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", @@ -84,7 +84,7 @@ "PE.Controllers.Main.errorUpdateVersion": "La versione file è stata moificata. La pagina verrà ricaricata.", "PE.Controllers.Main.errorUserDrop": "Impossibile accedere al file in questo momento.", "PE.Controllers.Main.errorUsersExceed": "È stato superato il numero di utenti", - "PE.Controllers.Main.errorViewerDisconnect": "La connessione è stata persa. Puoi ancora vedere il documento,
ma non puoi scaricarlo o stamparlo fino a che la connessione non sarà ripristinata.", + "PE.Controllers.Main.errorViewerDisconnect": "Connessione assente. È possibile visualizzare il documento,
ma non sarà possibile scaricarlo fino a che la connessione verrà ristabilita", "PE.Controllers.Main.leavePageText": "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.", "PE.Controllers.Main.loadFontsTextText": "Caricamento dei dati in corso...", "PE.Controllers.Main.loadFontsTitleText": "Caricamento dei dati", @@ -112,6 +112,7 @@ "PE.Controllers.Main.savePreparingTitle": "Preparazione al salvataggio. Attendere prego...", "PE.Controllers.Main.saveTextText": "Salvataggio del documento in corso...", "PE.Controllers.Main.saveTitleText": "Salvataggio del documento", + "PE.Controllers.Main.scriptLoadError": "La connessione è troppo lenta, alcuni componenti non possono essere caricati. Si prega di ricaricare la pagina.", "PE.Controllers.Main.splitDividerErrorText": "Il numero di righe deve essere un divisore di %1", "PE.Controllers.Main.splitMaxColsErrorText": "Il numero di colonne deve essere meno di %1", "PE.Controllers.Main.splitMaxRowsErrorText": "il numero di righe deve essere meno di %1", diff --git a/apps/presentationeditor/mobile/locale/ko.json b/apps/presentationeditor/mobile/locale/ko.json index fd1c3d326..e17c3931c 100644 --- a/apps/presentationeditor/mobile/locale/ko.json +++ b/apps/presentationeditor/mobile/locale/ko.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "파일 버전이 변경되었습니다. 페이지가 다시로드됩니다.", "PE.Controllers.Main.errorUserDrop": "파일에 지금 액세스 할 수 없습니다.", "PE.Controllers.Main.errorUsersExceed": "사용자 수가 초과되었습니다.", - "PE.Controllers.Main.errorViewerDisconnect": "연결이 끊어졌습니다. 문서를 볼 수는

하지만 연결이 복원 될 때까지 다운로드하거나 인쇄 할 수 없습니다.", + "PE.Controllers.Main.errorViewerDisconnect": "연결이 끊어졌습니다. 문서를 볼 수는

하지만 연결이 복원 될 때까지 다운로드 할 수 없습니다.", "PE.Controllers.Main.leavePageText": "이 문서에 변경 사항을 저장하지 않았습니다.이 페이지에 머물러 있으면 문서의 자동 저장을 기다릴 수 있습니다. 저장하지 않은 모든 변경 사항을 취소하려면 '이 페이지를 남겨주세요'를 클릭하십시오.", "PE.Controllers.Main.loadFontsTextText": "데이터로드 중 ...", "PE.Controllers.Main.loadFontsTitleText": "데이터로드 중", diff --git a/apps/presentationeditor/mobile/locale/lv.json b/apps/presentationeditor/mobile/locale/lv.json index a429df705..c20327327 100644 --- a/apps/presentationeditor/mobile/locale/lv.json +++ b/apps/presentationeditor/mobile/locale/lv.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Faila versija ir mainīta. Lapa tiks pārlādēta.", "PE.Controllers.Main.errorUserDrop": "Failam šobrīd nevar piekļūt.", "PE.Controllers.Main.errorUsersExceed": "Ir pārsniegts lietotāju skaits", - "PE.Controllers.Main.errorViewerDisconnect": "Pārtraukts savienojums. Jūs joprojām varat aplūkot dokumentu,
taču nevarēsit lejupielādēt vai drukāt, līdz nav atjaunots savienojums.", + "PE.Controllers.Main.errorViewerDisconnect": "Zudis savienojums. Jūs joprojām varat aplūkot dokumentu,
taču jūs nevarēsit to lejupielādēt, kamēr savienojums nebūs atjaunots.", "PE.Controllers.Main.leavePageText": "Šim dokumentam ir nesaglabātas izmaiņas. Spiediet \"palikt lapā\", lai sagaidītu dokumenta automātisko noglabāšanu. Spiediet \"pamest lapu\", lai atceltu visas nesaglabātās izmaiņas.", "PE.Controllers.Main.loadFontsTextText": "Ielādē datus...", "PE.Controllers.Main.loadFontsTitleText": "Ielādē datus", diff --git a/apps/presentationeditor/mobile/locale/nl.json b/apps/presentationeditor/mobile/locale/nl.json index 7ff477de2..4919250f8 100644 --- a/apps/presentationeditor/mobile/locale/nl.json +++ b/apps/presentationeditor/mobile/locale/nl.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "De bestandsversie is gewijzigd. De pagina wordt opnieuw geladen.", "PE.Controllers.Main.errorUserDrop": "Toegang tot het bestand is op dit moment niet mogelijk.", "PE.Controllers.Main.errorUsersExceed": "Het aantal gebruikers is overschreden", - "PE.Controllers.Main.errorViewerDisconnect": "Verbinding is verbroken. U kunt het document nog wel bekijken,
maar u kunt het pas downloaden of afdrukken als de verbinding is hersteld.", + "PE.Controllers.Main.errorViewerDisconnect": "Verbinding is verbroken. U kunt het document nog wel bekijken,
maar kunt het pas downloaden wanneer de verbinding is hersteld.", "PE.Controllers.Main.leavePageText": "Dit document bevat niet-opgeslagen wijzigingen. Klik op 'Op deze pagina blijven' om te wachten totdat het document automatisch wordt opgeslagen. Klik op 'Deze pagina verlaten' om de niet-opgeslagen wijzigingen te negeren.", "PE.Controllers.Main.loadFontsTextText": "Gegevens worden geladen...", "PE.Controllers.Main.loadFontsTitleText": "Gegevens worden geladen", diff --git a/apps/presentationeditor/mobile/locale/pl.json b/apps/presentationeditor/mobile/locale/pl.json index 771eb31f4..de9dd1ec0 100644 --- a/apps/presentationeditor/mobile/locale/pl.json +++ b/apps/presentationeditor/mobile/locale/pl.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Wersja pliku została zmieniona. Strona zostanie ponownie załadowana.", "PE.Controllers.Main.errorUserDrop": "Nie można uzyskać dostępu do tego pliku.", "PE.Controllers.Main.errorUsersExceed": "Liczba użytkowników została przekroczona.", - "PE.Controllers.Main.errorViewerDisconnect": "Połączenie zostało utracone. Nadal możesz przeglądać dokument, ale nie będziesz mógł pobrać ani wydrukować dokumentu do momentu przywrócenia połączenia.", + "PE.Controllers.Main.errorViewerDisconnect": "Połączenie zostało utracone. Nadal możesz przeglądać dokument,
ale nie będzie mógł go pobrać do momentu przywrócenia połączenia.", "PE.Controllers.Main.leavePageText": "Masz niezapisane zmiany w tym dokumencie. Kliknij przycisk 'Zostań na tej stronie', aby poczekać na automatyczny zapis dokumentu. Kliknij przycisk \"Pozostaw tę stronę\", aby usunąć wszystkie niezapisane zmiany.", "PE.Controllers.Main.loadFontsTextText": "Ładowanie danych...", "PE.Controllers.Main.loadFontsTitleText": "Ładowanie danych", @@ -419,7 +419,7 @@ "PE.Views.Search.textSearch": "Wyszukiwanie", "PE.Views.Settings.mniSlideStandard": "Standard (4: 3)", "PE.Views.Settings.mniSlideWide": "Ekran panoramiczny (16:9)", - "PE.Views.Settings.textAbout": "O", + "PE.Views.Settings.textAbout": "O programie", "PE.Views.Settings.textAddress": "adres", "PE.Views.Settings.textAuthor": "Autor", "PE.Views.Settings.textBack": "Powrót", diff --git a/apps/presentationeditor/mobile/locale/pt.json b/apps/presentationeditor/mobile/locale/pt.json index ceeca045c..19f0d8f73 100644 --- a/apps/presentationeditor/mobile/locale/pt.json +++ b/apps/presentationeditor/mobile/locale/pt.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "A versão do arquivo foi alterada. A página será recarregada.", "PE.Controllers.Main.errorUserDrop": "O arquivo não pode ser acessado agora.", "PE.Controllers.Main.errorUsersExceed": "O número de usuários foi excedido", - "PE.Controllers.Main.errorViewerDisconnect": "A conexão foi perdida. Você ainda pode ver o documento,
mas não pode fazer o download ou imprimir até que a conexão seja restaurada.", + "PE.Controllers.Main.errorViewerDisconnect": "Perda de conexão Você ainda pode exibir o documento, mas não será capaz de fazer o download até que a conexão seja restaurada.", "PE.Controllers.Main.leavePageText": "Você tem alterações não salvas neste documento. Clique em \"Ficar nesta Página\" para aguardar o salvamento automático do documento. Clique em \"Sair desta página\" para descartar as alterações não salvas.", "PE.Controllers.Main.loadFontsTextText": "Carregando dados...", "PE.Controllers.Main.loadFontsTitleText": "Carregando dados", diff --git a/apps/presentationeditor/mobile/locale/ru.json b/apps/presentationeditor/mobile/locale/ru.json index 45d9339ea..571e5c9c1 100644 --- a/apps/presentationeditor/mobile/locale/ru.json +++ b/apps/presentationeditor/mobile/locale/ru.json @@ -66,8 +66,8 @@ "PE.Controllers.Main.criticalErrorTitle": "Ошибка", "PE.Controllers.Main.defaultTitleText": "ONLYOFFICE Presentation Editor", "PE.Controllers.Main.downloadErrorText": "Загрузка не удалась.", - "PE.Controllers.Main.downloadTextText": "Загрузка документа...", - "PE.Controllers.Main.downloadTitleText": "Загрузка документа", + "PE.Controllers.Main.downloadTextText": "Загрузка презентации...", + "PE.Controllers.Main.downloadTitleText": "Загрузка презентации", "PE.Controllers.Main.errorBadImageUrl": "Неправильный URL-адрес изображения", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Подключение к серверу прервано. Редактирование недоступно.", "PE.Controllers.Main.errorConnectToServer": "Не удается сохранить документ. Проверьте параметры подключения или обратитесь к вашему администратору.
Когда вы нажмете на кнопку 'OK', вам будет предложено скачать документ.

Дополнительную информацию о подключении Сервера документов можно найти здесь", @@ -84,7 +84,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Версия файла была изменена. Страница будет перезагружена.", "PE.Controllers.Main.errorUserDrop": "В настоящий момент файл недоступен.", "PE.Controllers.Main.errorUsersExceed": "Превышено количество пользователей", - "PE.Controllers.Main.errorViewerDisconnect": "Подключение прервано. Вы по-прежнему можете просматривать документ,
но не сможете скачать или напечатать его до восстановления подключения.", + "PE.Controllers.Main.errorViewerDisconnect": "Подключение прервано. Вы по-прежнему можете просматривать документ,
но не сможете скачать его до восстановления подключения.", "PE.Controllers.Main.leavePageText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения документа. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", "PE.Controllers.Main.loadFontsTextText": "Загрузка данных...", "PE.Controllers.Main.loadFontsTitleText": "Загрузка данных", diff --git a/apps/presentationeditor/mobile/locale/sk.json b/apps/presentationeditor/mobile/locale/sk.json index 6080ce717..6ec918a1f 100644 --- a/apps/presentationeditor/mobile/locale/sk.json +++ b/apps/presentationeditor/mobile/locale/sk.json @@ -60,6 +60,7 @@ "PE.Controllers.Main.advDRMPassword": "Heslo", "PE.Controllers.Main.applyChangesTextText": "Načítavanie dát...", "PE.Controllers.Main.applyChangesTitleText": "Načítavanie dát", + "PE.Controllers.Main.closeButtonText": "Zatvoriť súbor", "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", @@ -82,7 +83,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Verzia súboru bola zmenená. Stránka sa znova načíta.", "PE.Controllers.Main.errorUserDrop": "K súboru nie je možné práve teraz získať prístup.", "PE.Controllers.Main.errorUsersExceed": "Počet používateľov bol prekročený", - "PE.Controllers.Main.errorViewerDisconnect": "Spojenie je prerušené. Dokument môžete zobraziť,
ale nemôžete ho stiahnuť ani vytlačiť, kým sa spojenie neobnoví.", + "PE.Controllers.Main.errorViewerDisconnect": "Spojenie sa stratilo. Dokument môžete zobraziť,
ale nebude možné ho prevziať, kým sa obnoví spojenie.", "PE.Controllers.Main.leavePageText": "V tomto dokumente máte neuložené zmeny. Kliknutím na položku 'Zostať na tejto stránke' čakáte na automatické uloženie dokumentu. Kliknutím na položku 'Odísť z tejto stránky' odstránite všetky neuložené zmeny.", "PE.Controllers.Main.loadFontsTextText": "Načítavanie dát...", "PE.Controllers.Main.loadFontsTitleText": "Načítavanie dát", diff --git a/apps/presentationeditor/mobile/locale/tr.json b/apps/presentationeditor/mobile/locale/tr.json index 4e50ce1ac..073fb1b46 100644 --- a/apps/presentationeditor/mobile/locale/tr.json +++ b/apps/presentationeditor/mobile/locale/tr.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Dosya versiyonu değiştirildi. Sayfa yenilenecektir.", "PE.Controllers.Main.errorUserDrop": "Belgeye şu an erişilemiyor.", "PE.Controllers.Main.errorUsersExceed": "Kullanıcı sayısı aşıldı", - "PE.Controllers.Main.errorViewerDisconnect": "Bağlantı kesildi. Belgeyi yine de görüntüleyebilirsiniz,
ancak bağlantı geri yüklenene kadar indirme veya yazdırma yapamazsınız.", + "PE.Controllers.Main.errorViewerDisconnect": "Bağlantı kaybedildi. Yine belgeyi görüntüleyebilirsiniz,
bağlantı geri gelmeden önce indirme işlemi yapılamayacak.", "PE.Controllers.Main.leavePageText": "Bu belgede kaydedilmemiş değişiklikleriniz var. 'Sayfada Kal' tuşuna tıklayarak otomatik kaydetmeyi bekleyebilirsiniz. 'Sayfadan Ayrıl' tuşuna tıklarsanız kaydedilmemiş tüm değişiklikler silinecektir.", "PE.Controllers.Main.loadFontsTextText": "Veri yükleniyor...", "PE.Controllers.Main.loadFontsTitleText": "Veri yükleniyor", diff --git a/apps/presentationeditor/mobile/locale/uk.json b/apps/presentationeditor/mobile/locale/uk.json index de96b70d6..af7852b33 100644 --- a/apps/presentationeditor/mobile/locale/uk.json +++ b/apps/presentationeditor/mobile/locale/uk.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Версія файлу була змінена. Сторінка буде перезавантажена.", "PE.Controllers.Main.errorUserDrop": "На даний момент файл не доступний.", "PE.Controllers.Main.errorUsersExceed": "Кількість користувачів перевищено", - "PE.Controllers.Main.errorViewerDisconnect": "З'єднання втрачено. Ви все ще можете переглядати документ
, але не зможете завантажувати чи роздруковувати, доки не буде відновлено з'єднання.", + "PE.Controllers.Main.errorViewerDisconnect": "З'єднання втрачено. Ви все ще можете переглянути документ
, але не зможете завантажувати його до відновлення.", "PE.Controllers.Main.leavePageText": "У цьому документі є незбережені зміни. Натисніть \"Залишатися на цій сторінці\", щоб дочекатись автоматичного збереження документа. Натисніть \"Покинути цю сторінку\", щоб відхилити всі незбережені зміни.", "PE.Controllers.Main.loadFontsTextText": "Завантаження дати...", "PE.Controllers.Main.loadFontsTitleText": "Дата завантаження", diff --git a/apps/presentationeditor/mobile/locale/vi.json b/apps/presentationeditor/mobile/locale/vi.json index 37902723b..5c16d45fd 100644 --- a/apps/presentationeditor/mobile/locale/vi.json +++ b/apps/presentationeditor/mobile/locale/vi.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "Phiên bản file này đã được thay đổi. Trang này sẽ được tải lại.", "PE.Controllers.Main.errorUserDrop": "Không thể truy cập file ngay lúc này.", "PE.Controllers.Main.errorUsersExceed": "Đã vượt quá số lượng người dùng", - "PE.Controllers.Main.errorViewerDisconnect": "Mất kết nối. Bạn vẫn có thể xem tài liệu,
nhưng không thể tải về hoặc in cho đến khi kết nối được khôi phục.", + "PE.Controllers.Main.errorViewerDisconnect": "Mất kết nối. Bạn vẫn có thể xem tài liệu,
nhưng sẽ không thể tải về cho đến khi kết nối được khôi phục.", "PE.Controllers.Main.leavePageText": "Bạn có những thay đổi chưa lưu trong tài liệu này. Nhấp vào 'Ở lại Trang này' để chờ tự động lưu tài liệu. Nhấp vào 'Rời Trang này' để bỏ tất cả các thay đổi chưa lưu.", "PE.Controllers.Main.loadFontsTextText": "Đang tải dữ liệu...", "PE.Controllers.Main.loadFontsTitleText": "Đang tải Dữ liệu", diff --git a/apps/presentationeditor/mobile/locale/zh.json b/apps/presentationeditor/mobile/locale/zh.json index e05809b4c..31287bcee 100644 --- a/apps/presentationeditor/mobile/locale/zh.json +++ b/apps/presentationeditor/mobile/locale/zh.json @@ -82,7 +82,7 @@ "PE.Controllers.Main.errorUpdateVersion": "\n该文件版本已经改变了。该页面将被重新加载。", "PE.Controllers.Main.errorUserDrop": "该文件现在无法访问。", "PE.Controllers.Main.errorUsersExceed": "超过了用户数", - "PE.Controllers.Main.errorViewerDisconnect": "连接丢失。您仍然可以查看文档
,但在连接恢复之前无法下载或打印。", + "PE.Controllers.Main.errorViewerDisconnect": "连接丢失。您仍然可以查看文档
,但在连接恢复之前无法下载。", "PE.Controllers.Main.leavePageText": "您在本文档中有未保存的更改。点击“留在这个页面”等待文档的自动保存。点击“离开此页面”以放弃所有未保存的更改。", "PE.Controllers.Main.loadFontsTextText": "数据加载中…", "PE.Controllers.Main.loadFontsTitleText": "数据加载中", @@ -96,7 +96,7 @@ "PE.Controllers.Main.loadingDocumentTitleText": "载入演示", "PE.Controllers.Main.loadThemeTextText": "装载主题", "PE.Controllers.Main.loadThemeTitleText": "装载主题", - "PE.Controllers.Main.notcriticalErrorTitle": "警告中", + "PE.Controllers.Main.notcriticalErrorTitle": "警告", "PE.Controllers.Main.openErrorText": "打开文件时发生错误", "PE.Controllers.Main.openTextText": "打开文件...", "PE.Controllers.Main.openTitleText": "正在打开文件", @@ -206,7 +206,7 @@ "PE.Controllers.Main.warnNoLicense": "您正在使用ONLYOFFICE的开源版本。该版本对文档服务器的并发连接有限制(每次20个连接)。
如果需要更多请考虑购买商业许可证。", "PE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", "PE.Controllers.Search.textNoTextFound": "文本没找到", - "PE.Controllers.Settings.notcriticalErrorTitle": "警告中", + "PE.Controllers.Settings.notcriticalErrorTitle": "警告", "PE.Controllers.Settings.txtLoading": "载入中……", "PE.Controllers.Toolbar.dlgLeaveMsgText": "您在本文档中有未保存的更改。点击“留在这个页面”等待文档的自动保存。点击“离开此页面”以放弃所有未保存的更改。", "PE.Controllers.Toolbar.dlgLeaveTitleText": "你退出应用程序", @@ -413,7 +413,7 @@ "PE.Views.EditText.textNone": "没有", "PE.Views.EditText.textNumbers": "数字", "PE.Views.EditText.textSize": "大小", - "PE.Views.EditText.textSmallCaps": "小帽子", + "PE.Views.EditText.textSmallCaps": "小写", "PE.Views.EditText.textStrikethrough": "删除线", "PE.Views.EditText.textSubscript": "下标", "PE.Views.Search.textSearch": "搜索", @@ -429,7 +429,7 @@ "PE.Views.Settings.textDownloadAs": "下载为...", "PE.Views.Settings.textEditPresent": "编辑演示文稿", "PE.Views.Settings.textEmail": "电子邮件", - "PE.Views.Settings.textFind": "发现", + "PE.Views.Settings.textFind": "查找", "PE.Views.Settings.textHelp": "帮助", "PE.Views.Settings.textLoading": "载入中…", "PE.Views.Settings.textPoweredBy": "支持方", diff --git a/apps/spreadsheeteditor/embed/js/ApplicationController.js b/apps/spreadsheeteditor/embed/js/ApplicationController.js index 7f02ad1c9..356ccf8df 100644 --- a/apps/spreadsheeteditor/embed/js/ApplicationController.js +++ b/apps/spreadsheeteditor/embed/js/ApplicationController.js @@ -168,8 +168,6 @@ var ApplicationController = new(function(){ } function onDocumentContentReady() { - Common.Gateway.documentReady(); - hidePreloader(); if ( !embedConfig.shareUrl ) @@ -292,6 +290,7 @@ var ApplicationController = new(function(){ } }); + Common.Gateway.documentReady(); Common.Analytics.trackEvent('Load', 'Complete'); } @@ -459,6 +458,10 @@ var ApplicationController = new(function(){ } function onDownloadAs() { + if ( permissions.download === false) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, me.errorAccessDeny); + return; + } api.asc_DownloadAs(Asc.c_oAscFileType.XLSX, true); } @@ -558,6 +561,7 @@ var ApplicationController = new(function(){ criticalErrorTitle : 'Error', notcriticalErrorTitle : 'Warning', scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.', - errorFilePassProtect: 'The file is password protected and cannot be opened.' + errorFilePassProtect: 'The file is password protected and cannot be opened.', + errorAccessDeny: 'You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.' } })(); \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js index 373bdc990..780d87a22 100644 --- a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js +++ b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js @@ -216,12 +216,6 @@ define([ if (documentHolderEl) { documentHolderEl.on({ - keydown: function(e) { - if (e.keyCode == e.F10 && e.shiftKey) { - e.stopEvent(); - me.showObjectMenu(e); - } - }, mousedown: function(e) { if (e.target.localName == 'canvas' && e.button != 2) { Common.UI.Menu.Manager.hideAll(); @@ -1434,7 +1428,7 @@ define([ } if (isimagemenu || isshapemenu || ischartmenu) { - if (!showMenu && !documentHolder.imgMenu.isVisible()) return; + if (!documentHolder.imgMenu || !showMenu && !documentHolder.imgMenu.isVisible()) return; isimagemenu = isshapemenu = ischartmenu = false; var has_chartprops = false, @@ -1501,7 +1495,7 @@ define([ if (showMenu) this.showPopupMenu(documentHolder.imgMenu, {}, event); documentHolder.mnuShapeSeparator.setVisible(documentHolder.mnuShapeAdvanced.isVisible() || documentHolder.mnuChartEdit.isVisible() || documentHolder.mnuImgAdvanced.isVisible()); } else if (istextshapemenu || istextchartmenu) { - if (!showMenu && !documentHolder.textInShapeMenu.isVisible()) return; + if (!documentHolder.textInShapeMenu || !showMenu && !documentHolder.textInShapeMenu.isVisible()) return; documentHolder.pmiTextAdvanced.textInfo = undefined; @@ -1561,7 +1555,7 @@ define([ if (showMenu) this.showPopupMenu(documentHolder.textInShapeMenu, {}, event); } else if (!this.permissions.isEditMailMerge && !this.permissions.isEditDiagram || (seltype !== Asc.c_oAscSelectionType.RangeImage && seltype !== Asc.c_oAscSelectionType.RangeShape && seltype !== Asc.c_oAscSelectionType.RangeChart && seltype !== Asc.c_oAscSelectionType.RangeChartText && seltype !== Asc.c_oAscSelectionType.RangeShapeText)) { - if (!showMenu && !documentHolder.ssMenu.isVisible()) return; + if (!documentHolder.ssMenu || !showMenu && !documentHolder.ssMenu.isVisible()) return; var iscelledit = this.api.isCellEdited, formatTableInfo = cellinfo.asc_getFormatTableInfo(), diff --git a/apps/spreadsheeteditor/main/app/controller/LeftMenu.js b/apps/spreadsheeteditor/main/app/controller/LeftMenu.js index 58e8ebb4b..8af6b2651 100644 --- a/apps/spreadsheeteditor/main/app/controller/LeftMenu.js +++ b/apps/spreadsheeteditor/main/app/controller/LeftMenu.js @@ -144,6 +144,7 @@ define([ this.api.asc_registerCallback('asc_onCoAuthoringDisconnect', _.bind(this.onApiServerDisconnect, this)); Common.NotificationCenter.on('api:disconnect', _.bind(this.onApiServerDisconnect, this)); this.api.asc_registerCallback('asc_onDownloadUrl', _.bind(this.onDownloadUrl, this)); + Common.NotificationCenter.on('download:cancel', _.bind(this.onDownloadCancel, this)); /** coauthoring begin **/ if (this.mode.canCoAuthoring) { if (this.mode.canChat) @@ -338,6 +339,10 @@ define([ this.isFromFileDownloadAs = false; }, + onDownloadCancel: function() { + this.isFromFileDownloadAs = false; + }, + applySettings: function(menu) { var value = Common.localStorage.getItem("sse-settings-fontrender"); Common.Utils.InternalSettings.set("sse-settings-fontrender", value); diff --git a/apps/spreadsheeteditor/main/app/controller/Main.js b/apps/spreadsheeteditor/main/app/controller/Main.js index df955255c..11ba9da71 100644 --- a/apps/spreadsheeteditor/main/app/controller/Main.js +++ b/apps/spreadsheeteditor/main/app/controller/Main.js @@ -168,6 +168,7 @@ define([ Common.NotificationCenter.on('api:disconnect', _.bind(this.onCoAuthoringDisconnect, this)); Common.NotificationCenter.on('goback', _.bind(this.goBack, this)); Common.NotificationCenter.on('namedrange:locked', _.bind(this.onNamedRangeLocked, this)); + Common.NotificationCenter.on('download:cancel', _.bind(this.onDownloadCancel, this)); this.stackLongActions = new Common.IrregularStack({ strongCompare : this._compareActionStrong, @@ -408,6 +409,12 @@ define([ }, onDownloadAs: function(format) { + if ( !this.appOptions.canDownload) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + + this._state.isFromGatewayDownloadAs = true; var _format = (format && (typeof format == 'string')) ? Asc.c_oAscFileType[ format.toUpperCase() ] : null, _supported = [ Asc.c_oAscFileType.XLSX, @@ -436,11 +443,11 @@ define([ } }, - goBack: function() { + goBack: function(current) { var me = this; if ( !Common.Controllers.Desktop.process('goback') ) { var href = me.appOptions.customization.goback.url; - if (me.appOptions.customization.goback.blank!==false) { + if (!current && me.appOptions.customization.goback.blank!==false) { window.open(href, "_blank"); } else { parent.location.href = href; @@ -601,8 +608,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) this._state.openDlg.close(); @@ -785,6 +790,8 @@ define([ if (typeof document.hidden !== 'undefined' && document.hidden) { document.addEventListener('visibilitychange', checkWarns); } else checkWarns(); + + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -1354,7 +1361,7 @@ define([ config.msg += '

' + this.criticalErrorExtText; config.callback = function(btn) { if (btn == 'ok') { - Common.NotificationCenter.trigger('goback'); + Common.NotificationCenter.trigger('goback', true); } } } @@ -1526,7 +1533,13 @@ define([ }, onDownloadUrl: function(url) { - Common.Gateway.downloadAs(url); + if (this._state.isFromGatewayDownloadAs) + Common.Gateway.downloadAs(url); + this._state.isFromGatewayDownloadAs = false; + }, + + onDownloadCancel: function() { + this._state.isFromGatewayDownloadAs = false; }, onUpdateVersion: function(callback) { @@ -2043,7 +2056,7 @@ define([ var variationsArr = [], pluginVisible = false; item.variations.forEach(function(itemVar){ - var visible = (isEdit || itemVar.isViewer) && _.contains(itemVar.EditorsSupport, 'cell'); + var visible = (isEdit || itemVar.isViewer && (itemVar.isDisplayedInViewer!==false)) && _.contains(itemVar.EditorsSupport, 'cell'); if ( visible ) pluginVisible = true; if ( item.isUICustomizer ) { @@ -2054,11 +2067,18 @@ define([ if (typeof itemVar.descriptionLocale == 'object') description = itemVar.descriptionLocale[lang] || itemVar.descriptionLocale['en'] || description || ''; + _.each(itemVar.buttons, function(b, index){ + if (typeof b.textLocale == 'object') + b.text = b.textLocale[lang] || b.textLocale['en'] || b.text || ''; + b.visible = (isEdit || b.isViewer !== false); + }); + model.set({ description: description, index: variationsArr.length, url: itemVar.url, icons: itemVar.icons, + buttons: itemVar.buttons, visible: visible }); diff --git a/apps/spreadsheeteditor/main/app/controller/Print.js b/apps/spreadsheeteditor/main/app/controller/Print.js index 2656c21ae..efffe7a91 100644 --- a/apps/spreadsheeteditor/main/app/controller/Print.js +++ b/apps/spreadsheeteditor/main/app/controller/Print.js @@ -227,7 +227,11 @@ define([ }, openPrintSettings: function(type, cmp, format, asUrl) { - if (this.printSettingsDlg && this.printSettingsDlg.isVisible()) return; + if (this.printSettingsDlg && this.printSettingsDlg.isVisible()) { + asUrl && Common.NotificationCenter.trigger('download:cancel'); + return; + } + if (this.api) { this.asUrl = asUrl; this.downloadFormat = format; @@ -266,8 +270,10 @@ define([ Common.NotificationCenter.trigger('edit:complete', view); } else return true; - } else + } else { + this.asUrl && Common.NotificationCenter.trigger('download:cancel'); Common.NotificationCenter.trigger('edit:complete', view); + } this.printSettingsDlg = null; }, diff --git a/apps/spreadsheeteditor/main/app/controller/Toolbar.js b/apps/spreadsheeteditor/main/app/controller/Toolbar.js index 769fc7eb2..77958e32d 100644 --- a/apps/spreadsheeteditor/main/app/controller/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/controller/Toolbar.js @@ -3111,17 +3111,17 @@ define([ if ( $panel ) me.toolbar.addTab(tab, $panel, 4); + // hide 'print' and 'save' buttons group and next separator + me.toolbar.btnPrint.$el.parents('.group').hide().next().hide(); + + // hide 'undo' and 'redo' buttons and get container + var $box = me.toolbar.btnUndo.$el.hide().next().hide().parent(); + + // move 'paste' button to the container instead of 'undo' and 'redo' + me.toolbar.btnPaste.$el.detach().appendTo($box); + me.toolbar.btnCopy.$el.removeClass('split'); + if ( config.isDesktopApp ) { - // hide 'print' and 'save' buttons group and next separator - me.toolbar.btnPrint.$el.parents('.group').hide().next().hide(); - - // hide 'undo' and 'redo' buttons and get container - var $box = me.toolbar.btnUndo.$el.hide().next().hide().parent(); - - // move 'paste' button to the container instead of 'undo' and 'redo' - me.toolbar.btnPaste.$el.detach().appendTo($box); - me.toolbar.btnCopy.$el.removeClass('split'); - if ( config.canProtect ) { tab = {action: 'protect', caption: me.toolbar.textTabProtect}; $panel = me.getApplication().getController('Common.Controllers.Protection').createToolbarPanel(); diff --git a/apps/spreadsheeteditor/main/app/controller/Viewport.js b/apps/spreadsheeteditor/main/app/controller/Viewport.js index c11882be1..3b780bbcb 100644 --- a/apps/spreadsheeteditor/main/app/controller/Viewport.js +++ b/apps/spreadsheeteditor/main/app/controller/Viewport.js @@ -78,10 +78,10 @@ define([ 'render:before' : function (toolbar) { var config = SSE.getController('Main').appOptions; toolbar.setExtra('right', me.header.getPanel('right', config)); - toolbar.setExtra('left', me.header.getPanel('left', config)); + if (!config.isEdit) + toolbar.setExtra('left', me.header.getPanel('left', config)); - if ( me.appConfig && me.appConfig.isDesktopApp && - me.appConfig.isEdit && toolbar.btnCollabChanges ) + if ( me.appConfig && me.appConfig.isEdit && toolbar.btnCollabChanges ) toolbar.btnCollabChanges = me.header.btnSave; }, @@ -148,9 +148,10 @@ define([ me.viewport.vlayout.getItem('toolbar').height = 41; } - if ( config.isDesktopApp && config.isEdit && !config.isEditDiagram && !config.isEditMailMerge ) { + if ( config.isEdit && !config.isEditDiagram && !config.isEditMailMerge ) { var $title = me.viewport.vlayout.getItem('title').el; $title.html(me.header.getPanel('title', config)).show(); + $title.find('.extra').html(me.header.getPanel('left', config)); var toolbar = me.viewport.vlayout.getItem('toolbar'); toolbar.el.addClass('top-title'); diff --git a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js index 3bdbc5131..74ff0e362 100644 --- a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js +++ b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js @@ -678,9 +678,9 @@ define([ this.updateFuncExample(record.exampleValue); }, this)); - var regdata = [{ value: 0x042C }, { value: 0x0405 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, + var regdata = [{ value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, { value: 0x040B }, { value: 0x040C }, { value: 0x0410 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, - { value: 0x0816 }, { value: 0x0419 }, { value: 0x041B }, { value: 0x0424 }, { value: 0x041F }, { value: 0x0422 }, { value: 0x042A }, { value: 0x0804 }]; + { value: 0x0816 }, { value: 0x0419 }, { value: 0x041B }, { value: 0x0424 }, { value: 0x081D }, { value: 0x041D }, { value: 0x041F }, { value: 0x0422 }, { value: 0x042A }, { value: 0x0804 }]; regdata.forEach(function(item) { var langinfo = Common.util.LanguageInfo.getLocalLanguageName(item.value); item.displayValue = langinfo[1]; diff --git a/apps/spreadsheeteditor/main/app/view/ImageSettings.js b/apps/spreadsheeteditor/main/app/view/ImageSettings.js index 266f160f8..315ffcb38 100644 --- a/apps/spreadsheeteditor/main/app/view/ImageSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ImageSettings.js @@ -408,7 +408,7 @@ define([ onBtnRotateClick: function(btn) { var properties = new Asc.asc_CImgProperty(); - properties.asc_putRot((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); + properties.asc_putRotAdd((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); this.api.asc_setGraphicObjectProps(properties); Common.NotificationCenter.trigger('edit:complete', this); }, @@ -416,9 +416,9 @@ define([ onBtnFlipClick: function(btn) { var properties = new Asc.asc_CImgProperty(); if (btn.options.value==1) - properties.asc_putFlipH(true); + properties.asc_putFlipHInvert(true); else - properties.asc_putFlipV(true); + properties.asc_putFlipVInvert(true); this.api.asc_setGraphicObjectProps(properties); Common.NotificationCenter.trigger('edit:complete', this); }, diff --git a/apps/spreadsheeteditor/main/app/view/ShapeSettings.js b/apps/spreadsheeteditor/main/app/view/ShapeSettings.js index 517e9c248..3ef48b8d4 100644 --- a/apps/spreadsheeteditor/main/app/view/ShapeSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ShapeSettings.js @@ -1509,7 +1509,7 @@ define([ onBtnRotateClick: function(btn) { var props = new Asc.asc_CShapeProperty(); - props.asc_putRot((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); + props.asc_putRotAdd((btn.options.value==1 ? 90 : 270) * 3.14159265358979 / 180); this.imgprops.asc_putShapeProperties(props); this.api.asc_setGraphicObjectProps(this.imgprops); Common.NotificationCenter.trigger('edit:complete', this); @@ -1518,9 +1518,9 @@ define([ onBtnFlipClick: function(btn) { var props = new Asc.asc_CShapeProperty(); if (btn.options.value==1) - props.asc_putFlipH(true); + props.asc_putFlipHInvert(true); else - props.asc_putFlipV(true); + props.asc_putFlipVInvert(true); this.imgprops.asc_putShapeProperties(props); this.api.asc_setGraphicObjectProps(this.imgprops); Common.NotificationCenter.trigger('edit:complete', this); diff --git a/apps/spreadsheeteditor/main/app/view/Toolbar.js b/apps/spreadsheeteditor/main/app/view/Toolbar.js index 5c9888c33..a925288eb 100644 --- a/apps/spreadsheeteditor/main/app/view/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/view/Toolbar.js @@ -2092,7 +2092,7 @@ define([ createSynchTip: function () { this.synchTooltip = new Common.UI.SynchronizeTip({ - extCls: this.mode.isDesktopApp ? 'inc-index' : undefined, + extCls: 'inc-index', target: this.btnCollabChanges.$el }); this.synchTooltip.on('dontshowclick', function() { diff --git a/apps/spreadsheeteditor/main/locale/cs.json b/apps/spreadsheeteditor/main/locale/cs.json index aa66aa24d..9894f0783 100644 --- a/apps/spreadsheeteditor/main/locale/cs.json +++ b/apps/spreadsheeteditor/main/locale/cs.json @@ -111,6 +111,8 @@ "Common.Views.RenameDialog.okButtonText": "OK", "Common.Views.RenameDialog.textName": "Název souboru", "Common.Views.RenameDialog.txtInvalidName": "Název souboru nesmí obsahovat žádný z následujících znaků:", + "Common.Views.ReviewChanges.strFast": "Automatický", + "Common.Views.ReviewChanges.strStrict": "Statický", "SSE.Controllers.DocumentHolder.alignmentText": "Zarovnání", "SSE.Controllers.DocumentHolder.centerText": "Střed", "SSE.Controllers.DocumentHolder.deleteColumnText": "Smazat sloupec", @@ -338,8 +340,8 @@ "SSE.Controllers.Main.textPleaseWait": "Operace může trvat déle, než se předpokládalo. Prosím čekejte... ", "SSE.Controllers.Main.textRecalcFormulas": "Výpočet vzorců...", "SSE.Controllers.Main.textShape": "Tvar", - "SSE.Controllers.Main.textStrict": "Strict mode", - "SSE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.
Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.", + "SSE.Controllers.Main.textStrict": "Statický réžim", + "SSE.Controllers.Main.textTryUndoRedo": "Funkce zpět/zopakovat jsou vypnuty pro Automatický co-editační režim.
Klikněte na tlačítko \"Statický režim\", abyste přešli do přísného co-editačního režimu a abyste upravovali soubor bez rušení ostatních uživatelů a odeslali vaše změny jen po jejich uložení. Pomocí Rozšířeného nastavení editoru můžete přepínat mezi co-editačními režimy.", "SSE.Controllers.Main.textYes": "Ano", "SSE.Controllers.Main.titleLicenseExp": "Platnost licence vypršela", "SSE.Controllers.Main.titleRecalcFormulas": "Výpočet ...", @@ -1094,7 +1096,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Co-editing mode", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Other users will see your changes at once", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Fast", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Automatický", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Hinting", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Vždy uložit na server (jinak uložit na server při zavření dokumentu)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Jazyk vzorce", @@ -1103,7 +1105,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Místní nastavení", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Příklad:", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Zapnout zobrazení vyřešených komentářů", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Statický", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Zobrazovat hodnoty v jednotkách", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Výchozí hodnota přiblížení", "SSE.Views.FileMenuPanels.MainSettingsGeneral.text10Minutes": "Každých 10 minut", diff --git a/apps/spreadsheeteditor/main/locale/de.json b/apps/spreadsheeteditor/main/locale/de.json index 469b1e849..317546059 100644 --- a/apps/spreadsheeteditor/main/locale/de.json +++ b/apps/spreadsheeteditor/main/locale/de.json @@ -80,8 +80,8 @@ "Common.Views.Header.textHideStatusBar": "Statusleiste verbergen", "Common.Views.Header.textSaveBegin": "Speicherung...", "Common.Views.Header.textSaveChanged": "Verändert", - "Common.Views.Header.textSaveEnd": "Alle Änderungen sind gespeichert", - "Common.Views.Header.textSaveExpander": "Alle Änderungen sind gespeichert", + "Common.Views.Header.textSaveEnd": "Alle Änderungen wurden gespeichert", + "Common.Views.Header.textSaveExpander": "Alle Änderungen wurden gespeichert", "Common.Views.Header.textZoom": "Zoom", "Common.Views.Header.tipAccessRights": "Zugriffsrechte für das Dokument verwalten", "Common.Views.Header.tipDownload": "Datei herunterladen", @@ -436,7 +436,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", "SSE.Controllers.Main.errorUserDrop": "Kein Zugriff auf diese Datei ist möglich.", "SSE.Controllers.Main.errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Benutzeranzahl ist überschritten", - "SSE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist verloren. Man kann das Dokument anschauen.
Es ist aber momentan nicht möglich, ihn herunterzuladen oder auszudrücken bis die Verbindung wiederhergestellt wird.", + "SSE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist unterbrochen. Man kann das Dokument anschauen.
Es ist aber momentan nicht möglich, es herunterzuladen oder auszudrucken bis die Verbindung wiederhergestellt wird.", "SSE.Controllers.Main.errorWrongBracketsCount": "Die eingegebene Formel enthält einen Fehler.
Falsche Anzahl an Klammern wurde genutzt.", "SSE.Controllers.Main.errorWrongOperator": "Die eingegebene Formel enthält einen Fehler. Falscher Operator wurde genutzt.
Bitte korrigieren Sie den Fehler.", "SSE.Controllers.Main.leavePageText": "In dieser Kalkulationstabelle gibt es nicht gespeicherte Änderungen. Klicken Sie auf 'Auf dieser Seite bleiben' und dann auf 'Speichern', um sie zu speichern. Klicken Sie auf 'Diese Seite verlassen', um alle nicht gespeicherten Änderungen zu verwerfen.", diff --git a/apps/spreadsheeteditor/main/locale/en.json b/apps/spreadsheeteditor/main/locale/en.json index e78bd13de..c4ab72e5c 100644 --- a/apps/spreadsheeteditor/main/locale/en.json +++ b/apps/spreadsheeteditor/main/locale/en.json @@ -1303,6 +1303,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formula Language", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Example: SUM; MIN; MAX; COUNT", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Turn on display of the comments", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Turn on R1C1 style", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Settings", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example: ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Turn on display of the resolved comments", @@ -1318,6 +1319,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Disabled", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Save to Server", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Every Minute", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Reference Style", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimeter", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "German", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "English", @@ -1331,8 +1333,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Point", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Russian", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "as Windows", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Reference Style", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Turn on R1C1 style", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Warning", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "With password", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Protect Spreadsheet", diff --git a/apps/spreadsheeteditor/main/locale/it.json b/apps/spreadsheeteditor/main/locale/it.json index a3ffa2eb3..6a9bb799a 100644 --- a/apps/spreadsheeteditor/main/locale/it.json +++ b/apps/spreadsheeteditor/main/locale/it.json @@ -392,14 +392,14 @@ "SSE.Controllers.Main.errorAutoFilterChange": "Operazione non consentita. Si sta tentando di spostare le celle nella tabella del tuo foglio di lavoro.", "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "Impossibile effettuare questa operazione per le celle selezionate perch'è impossibile spostare una parte della tabella.
Seleziona un altro intervallo dati per spostare tutta la tabella e riprova.", "SSE.Controllers.Main.errorAutoFilterDataRange": "Impossibile eseguire l'operazione per l'intervallo celle selezionato.
Seleziona un intervallo di celle uniforme all'interno o all'esterno della tabella e riprova.", - "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.errorAutoFilterHiddenRange": "L'operazione non può essere eseguita perché l'area contiene celle filtrate
Scopri gli elementi filtrati e riprova.", "SSE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto", "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.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.", - "SSE.Controllers.Main.errorCreateDefName": "The existing named ranges cannot be edited and the new ones cannot be created
at the moment as some of them are being edited.", + "SSE.Controllers.Main.errorCreateDefName": "Gli intervalli denominati esistenti non possono essere modificati e quelli nuovi non possono essere creati
al momento alcuni di essi sono in fase di modifica.", "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.", @@ -415,12 +415,12 @@ "SSE.Controllers.Main.errorInvalidRef": "Enter a correct name for the selection or a valid reference to go to.", "SSE.Controllers.Main.errorKeyEncrypt": "Descrittore di chiave sconosciuto", "SSE.Controllers.Main.errorKeyExpire": "Descrittore di chiave scaduto", - "SSE.Controllers.Main.errorLockedAll": "The operation could not be done as the sheet has been locked by another user.", + "SSE.Controllers.Main.errorLockedAll": "L'operazione non può essere portata a termine fino a che il foglio è bloccato da un altro utente.", "SSE.Controllers.Main.errorLockedCellPivot": "Non è possibile modificare i dati all'interno di una tabella pivot.", - "SSE.Controllers.Main.errorLockedWorksheetRename": "The sheet cannot be renamed at the moment as it is being renamed by another user", + "SSE.Controllers.Main.errorLockedWorksheetRename": "Il foglio non può essere rinominato perché è stato rinominato da un altro utente.", "SSE.Controllers.Main.errorMaxPoints": "Il numero massimo di punti in serie per grafico è di 4096.", "SSE.Controllers.Main.errorMoveRange": "Impossibile modificare una parte della cella unita", - "SSE.Controllers.Main.errorOpenWarning": "The length of one of the formulas in the file exceeded
the allowed number of characters and it was removed.", + "SSE.Controllers.Main.errorOpenWarning": "La lunghezza di una delle formule nel file ha superato
il numero consentito di caratteri ed è stato rimosso.", "SSE.Controllers.Main.errorOperandExpected": "La sintassi per la funzione inserita non è corretta. Controlla se hai dimenticato una delle parentesi - '(' oppure ')'", "SSE.Controllers.Main.errorPasteMaxRange": "l'area di copia-incolla non coincide.
Selezionare un'area con le stesse dimensioni o fare click sulla prima cella in una riga per incollare le celle copiate.", "SSE.Controllers.Main.errorPrintMaxPagesCount": "Purtroppo non è possibile stampare più di 1500 pagine alla volta con la versione attuale del programma.
Questa limitazione sarà rimossa nelle prossime release del programma.", @@ -464,6 +464,7 @@ "SSE.Controllers.Main.savePreparingTitle": "Preparazione al salvataggio. Si prega di aspettare...", "SSE.Controllers.Main.saveTextText": "Salvataggio del foglio di calcolo in corso...", "SSE.Controllers.Main.saveTitleText": "Salvataggio del foglio di calcolo", + "SSE.Controllers.Main.scriptLoadError": "La connessione è troppo lenta, alcuni componenti non possono essere caricati. Si prega di ricaricare la pagina.", "SSE.Controllers.Main.textAnonymous": "Anonimo", "SSE.Controllers.Main.textBuyNow": "Visita il sito web", "SSE.Controllers.Main.textClose": "Chiudi", @@ -479,13 +480,13 @@ "SSE.Controllers.Main.textRecalcFormulas": "Calcolo delle formule in corso...", "SSE.Controllers.Main.textShape": "Forma", "SSE.Controllers.Main.textStrict": "Strict mode", - "SSE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.
Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.", + "SSE.Controllers.Main.textTryUndoRedo": "Le funzioni Annulla/Ripristina sono disabilitate per la Modalità di Co-editing Veloce.
Clicca il pulsante 'Modalità Rigorosa' per passare alla Modalità di Co-editing Rigorosa per poter modificare il file senza l'interferenza di altri utenti e inviare le modifiche solamente dopo averle salvate. Puoi passare da una modalità all'altra di co-editing utilizzando le Impostazioni avanzate dell'editor.", "SSE.Controllers.Main.textYes": "Sì", "SSE.Controllers.Main.titleLicenseExp": "La licenza è scaduta", "SSE.Controllers.Main.titleRecalcFormulas": "Calcolo in corso...", "SSE.Controllers.Main.titleServerVersion": "L'editor è stato aggiornato", "SSE.Controllers.Main.txtAccent": "Accento", - "SSE.Controllers.Main.txtArt": "Your text here", + "SSE.Controllers.Main.txtArt": "Il tuo testo qui", "SSE.Controllers.Main.txtBasicShapes": "Figure di base", "SSE.Controllers.Main.txtButtons": "Bottoni", "SSE.Controllers.Main.txtCallouts": "Callout", @@ -769,7 +770,7 @@ "SSE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Freccia a destra bassa", "SSE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Freccia a destra alta", "SSE.Controllers.Toolbar.txtOperator_ColonEquals": "Due punti uguali", - "SSE.Controllers.Toolbar.txtOperator_Custom_1": "Yields", + "SSE.Controllers.Toolbar.txtOperator_Custom_1": "Rendimenti", "SSE.Controllers.Toolbar.txtOperator_Custom_2": "Delta Yields", "SSE.Controllers.Toolbar.txtOperator_Definition": "Uguale a Per definizione", "SSE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta uguale a", @@ -1153,8 +1154,8 @@ "SSE.Views.DocumentHolder.deleteTableText": "Tabella", "SSE.Views.DocumentHolder.direct270Text": "Ruota testo verso l'alto", "SSE.Views.DocumentHolder.direct90Text": "Ruota testo verso il basso", - "SSE.Views.DocumentHolder.directHText": "Horizontal", - "SSE.Views.DocumentHolder.directionText": "Text Direction", + "SSE.Views.DocumentHolder.directHText": "Orizzontale", + "SSE.Views.DocumentHolder.directionText": "Direzione del testo", "SSE.Views.DocumentHolder.editChartText": "Modifica dati", "SSE.Views.DocumentHolder.editHyperlinkText": "Modifica collegamento ipertestuale", "SSE.Views.DocumentHolder.insertColumnLeftText": "Colonna a sinistra", @@ -1189,23 +1190,23 @@ "SSE.Views.DocumentHolder.textShapeAlignRight": "Allinea a destra", "SSE.Views.DocumentHolder.textShapeAlignTop": "Allinea in alto", "SSE.Views.DocumentHolder.textUndo": "Annulla", - "SSE.Views.DocumentHolder.textUnFreezePanes": "Unfreeze Panes", + "SSE.Views.DocumentHolder.textUnFreezePanes": "Sblocca i riquadri", "SSE.Views.DocumentHolder.topCellText": "Allinea in alto", "SSE.Views.DocumentHolder.txtAccounting": "Contabilità", "SSE.Views.DocumentHolder.txtAddComment": "Aggiungi commento", - "SSE.Views.DocumentHolder.txtAddNamedRange": "Define Name", + "SSE.Views.DocumentHolder.txtAddNamedRange": "Definisci nome", "SSE.Views.DocumentHolder.txtArrange": "Disponi", "SSE.Views.DocumentHolder.txtAscending": "Crescente", "SSE.Views.DocumentHolder.txtAutoColumnWidth": "Adatta automaticamente la colonna alla larghezza", "SSE.Views.DocumentHolder.txtAutoRowHeight": "Adatta automaticamente l'altezza della riga", "SSE.Views.DocumentHolder.txtClear": "Svuota", - "SSE.Views.DocumentHolder.txtClearAll": "All", + "SSE.Views.DocumentHolder.txtClearAll": "Tutto", "SSE.Views.DocumentHolder.txtClearComments": "Commenti", - "SSE.Views.DocumentHolder.txtClearFormat": "Format", - "SSE.Views.DocumentHolder.txtClearHyper": "Hyperlinks", + "SSE.Views.DocumentHolder.txtClearFormat": "Formato", + "SSE.Views.DocumentHolder.txtClearHyper": "Collegamenti ipertestuali", "SSE.Views.DocumentHolder.txtClearSparklineGroups": "Cancella i Gruppi di Sparkline selezionati", "SSE.Views.DocumentHolder.txtClearSparklines": "Elimina Sparklines selezionate", - "SSE.Views.DocumentHolder.txtClearText": "Text", + "SSE.Views.DocumentHolder.txtClearText": "Testo", "SSE.Views.DocumentHolder.txtColumn": "Colonna intera", "SSE.Views.DocumentHolder.txtColumnWidth": "Imposta Larghezza colonna", "SSE.Views.DocumentHolder.txtCopy": "Copia", @@ -1264,7 +1265,7 @@ "SSE.Views.FileMenu.btnRecentFilesCaption": "Apri recenti...", "SSE.Views.FileMenu.btnRenameCaption": "Rinomina...", "SSE.Views.FileMenu.btnReturnCaption": "Torna al foglio di calcolo", - "SSE.Views.FileMenu.btnRightsCaption": "Access Rights...", + "SSE.Views.FileMenu.btnRightsCaption": "Diritti di accesso...", "SSE.Views.FileMenu.btnSaveAsCaption": "Salva con Nome", "SSE.Views.FileMenu.btnSaveCaption": "Salva", "SSE.Views.FileMenu.btnSettingsCaption": "Impostazioni avanzate...", @@ -1286,15 +1287,15 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Attiva salvataggio automatico", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Modalità di co-editing", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Other users will see your changes at once", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Fast", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Hinting dei caratteri", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formula Language", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Example: SUM; MIN; MAX; COUNT", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Lingua della Formula", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Esempio: SUM; MIN; MAX; COUNT", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Attivare visualizzazione dei commenti", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Settings", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example: ", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Impostazioni Regionali", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Esempio: ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Attiva la visualizzazione dei commenti risolti", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Unità di misura", @@ -1433,36 +1434,36 @@ "SSE.Views.MainSettingsPrint.textPrintHeadings": "Stampa intestazioni di riga e colonna", "SSE.Views.MainSettingsPrint.textSettings": "Impostazioni per", "SSE.Views.NamedRangeEditDlg.cancelButtonText": "Annulla", - "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "The existing named ranges cannot be edited and the new ones cannot be created
at the moment as some of them are being edited.", + "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "Gli intervalli denominati esistenti non possono essere modificati e quelli nuovi non possono essere creati
al momento alcuni di essi sono in fase di modifica.", "SSE.Views.NamedRangeEditDlg.namePlaceholder": "Defined name", - "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "Warning", + "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "Avviso", "SSE.Views.NamedRangeEditDlg.okButtonText": "Ok", - "SSE.Views.NamedRangeEditDlg.strWorkbook": "Workbook", + "SSE.Views.NamedRangeEditDlg.strWorkbook": "Cartella di lavoro", "SSE.Views.NamedRangeEditDlg.textDataRange": "Data Range", "SSE.Views.NamedRangeEditDlg.textExistName": "ERROR! Range with such a name already exists", "SSE.Views.NamedRangeEditDlg.textInvalidName": "Il nome deve iniziare con una lettera o un underscore e non deve contenere caratteri non validi.", "SSE.Views.NamedRangeEditDlg.textInvalidRange": "ERROR! Invalid cell range", "SSE.Views.NamedRangeEditDlg.textIsLocked": "ERROR! This element is being edited by another user.", "SSE.Views.NamedRangeEditDlg.textName": "Name", - "SSE.Views.NamedRangeEditDlg.textReservedName": "The name you are trying to use is already referenced in cell formulas. Please use some other name.", + "SSE.Views.NamedRangeEditDlg.textReservedName": "Il nome che stai cercando di utilizzare è già riferito nella cella formule. Prego rinominare", "SSE.Views.NamedRangeEditDlg.textScope": "Scope", "SSE.Views.NamedRangeEditDlg.textSelectData": "Select Data", - "SSE.Views.NamedRangeEditDlg.txtEmpty": "This field is required", + "SSE.Views.NamedRangeEditDlg.txtEmpty": "Campo obbligatorio", "SSE.Views.NamedRangeEditDlg.txtTitleEdit": "Edit Name", "SSE.Views.NamedRangeEditDlg.txtTitleNew": "New Name", "SSE.Views.NamedRangePasteDlg.cancelButtonText": "Annulla", "SSE.Views.NamedRangePasteDlg.okButtonText": "Ok", "SSE.Views.NamedRangePasteDlg.textNames": "Named Ranges", - "SSE.Views.NamedRangePasteDlg.txtTitle": "Paste Name", + "SSE.Views.NamedRangePasteDlg.txtTitle": "Incolla Nome", "SSE.Views.NameManagerDlg.closeButtonText": "Chiudi", "SSE.Views.NameManagerDlg.guestText": "Guest", "SSE.Views.NameManagerDlg.okButtonText": "Ok", "SSE.Views.NameManagerDlg.textDataRange": "Data Range", - "SSE.Views.NameManagerDlg.textDelete": "Delete", + "SSE.Views.NameManagerDlg.textDelete": "Elimina", "SSE.Views.NameManagerDlg.textEdit": "Edit", "SSE.Views.NameManagerDlg.textEmpty": "Non sono ancora stati creati intervalli con nome.
Crea almeno un intervallo con nome e apparirà in questo campo.", "SSE.Views.NameManagerDlg.textFilter": "Filtro", - "SSE.Views.NameManagerDlg.textFilterAll": "All", + "SSE.Views.NameManagerDlg.textFilterAll": "Tutto", "SSE.Views.NameManagerDlg.textFilterDefNames": "Defined names", "SSE.Views.NameManagerDlg.textFilterSheet": "Names Scoped to Sheet", "SSE.Views.NameManagerDlg.textFilterTableNames": "Table names", @@ -1471,7 +1472,7 @@ "SSE.Views.NameManagerDlg.textnoNames": "Non è stato possibile trovare intervalli nominati corrispondenti al filtro.", "SSE.Views.NameManagerDlg.textRanges": "Named Ranges", "SSE.Views.NameManagerDlg.textScope": "Scope", - "SSE.Views.NameManagerDlg.textWorkbook": "Workbook", + "SSE.Views.NameManagerDlg.textWorkbook": "Cartella di lavoro", "SSE.Views.NameManagerDlg.tipIsLocked": "This element is being edited by another user.", "SSE.Views.NameManagerDlg.txtTitle": "Name Manager", "SSE.Views.PageMarginsDialog.cancelButtonText": "Annulla", @@ -1492,7 +1493,7 @@ "SSE.Views.ParagraphSettings.textExact": "Esatta", "SSE.Views.ParagraphSettings.txtAutoText": "Auto", "SSE.Views.ParagraphSettingsAdvanced.cancelButtonText": "Annulla", - "SSE.Views.ParagraphSettingsAdvanced.noTabs": "The specified tabs will appear in this field", + "SSE.Views.ParagraphSettingsAdvanced.noTabs": "Le schede specificate appariranno in questo campo", "SSE.Views.ParagraphSettingsAdvanced.okButtonText": "OK", "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "Maiuscole", "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Barrato doppio", @@ -1615,7 +1616,7 @@ "SSE.Views.RightMenu.txtSignatureSettings": "Impostazioni della Firma", "SSE.Views.RightMenu.txtSparklineSettings": "Impostazioni Sparkline", "SSE.Views.RightMenu.txtTableSettings": "Impostazioni tabella", - "SSE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "SSE.Views.RightMenu.txtTextArtSettings": "Impostazioni Text Art", "SSE.Views.SetValueDialog.cancelButtonText": "Annulla", "SSE.Views.SetValueDialog.okButtonText": "OK", "SSE.Views.SetValueDialog.txtMaxText": "Il valore massimo per questo campo è {0}", @@ -1797,12 +1798,12 @@ "SSE.Views.TextArtSettings.strColor": "Colore", "SSE.Views.TextArtSettings.strFill": "Riempimento", "SSE.Views.TextArtSettings.strForeground": "Colore primo piano", - "SSE.Views.TextArtSettings.strPattern": "Pattern", + "SSE.Views.TextArtSettings.strPattern": "Modello", "SSE.Views.TextArtSettings.strSize": "Size", "SSE.Views.TextArtSettings.strStroke": "Stroke", "SSE.Views.TextArtSettings.strTransparency": "Opacity", "SSE.Views.TextArtSettings.strType": "Tipo", - "SSE.Views.TextArtSettings.textBorderSizeErr": "The entered value is incorrect.
Please enter a value between 0 pt and 1584 pt.", + "SSE.Views.TextArtSettings.textBorderSizeErr": "Il valore inserito non è corretto.
Inserisci un valore tra 0 pt e 1584 pt.", "SSE.Views.TextArtSettings.textColor": "Colore di riempimento", "SSE.Views.TextArtSettings.textDirection": "Direction", "SSE.Views.TextArtSettings.textEmptyPattern": "Nessun modello", @@ -1814,7 +1815,7 @@ "SSE.Views.TextArtSettings.textLinear": "Linear", "SSE.Views.TextArtSettings.textNewColor": "Add New Custom Color", "SSE.Views.TextArtSettings.textNoFill": "Nessun riempimento", - "SSE.Views.TextArtSettings.textPatternFill": "Pattern", + "SSE.Views.TextArtSettings.textPatternFill": "Modello", "SSE.Views.TextArtSettings.textRadial": "Radial", "SSE.Views.TextArtSettings.textSelectTexture": "Select", "SSE.Views.TextArtSettings.textStretch": "Stretch", @@ -1834,7 +1835,7 @@ "SSE.Views.TextArtSettings.txtLeather": "Leather", "SSE.Views.TextArtSettings.txtNoBorders": "Nessuna linea", "SSE.Views.TextArtSettings.txtPapyrus": "Papyrus", - "SSE.Views.TextArtSettings.txtWood": "Wood", + "SSE.Views.TextArtSettings.txtWood": "Legno", "SSE.Views.Toolbar.capBtnComment": "Commento", "SSE.Views.Toolbar.capBtnMargins": "Margini", "SSE.Views.Toolbar.capBtnPageOrient": "Orientamento", @@ -2013,7 +2014,7 @@ "SSE.Views.Toolbar.txtMergeCells": "Unisci celle", "SSE.Views.Toolbar.txtMergeCenter": "Unisci e centra", "SSE.Views.Toolbar.txtNamedRange": "Named Ranges", - "SSE.Views.Toolbar.txtNewRange": "Define Name", + "SSE.Views.Toolbar.txtNewRange": "Definisci nome", "SSE.Views.Toolbar.txtNoBorders": "Nessun bordo", "SSE.Views.Toolbar.txtNumber": "Numero", "SSE.Views.Toolbar.txtPasteRange": "Incolla Nome", diff --git a/apps/spreadsheeteditor/main/locale/pl.json b/apps/spreadsheeteditor/main/locale/pl.json index 1055f10f5..21a7421b2 100644 --- a/apps/spreadsheeteditor/main/locale/pl.json +++ b/apps/spreadsheeteditor/main/locale/pl.json @@ -1197,7 +1197,7 @@ "SSE.Views.ImageSettingsAdvanced.textAltTip": "Alternatywna prezentacja wizualnych informacji o obiektach, które będą czytane osobom z wadami wzroku lub zmysłu poznawczego, aby lepiej zrozumieć, jakie informacje znajdują się na obrazie, kształtach, wykresie lub tabeli.", "SSE.Views.ImageSettingsAdvanced.textAltTitle": "Tytuł", "SSE.Views.ImageSettingsAdvanced.textTitle": "Obraz - zaawansowane ustawienia", - "SSE.Views.LeftMenu.tipAbout": "O", + "SSE.Views.LeftMenu.tipAbout": "O programie", "SSE.Views.LeftMenu.tipChat": "Czat", "SSE.Views.LeftMenu.tipComments": "Komentarze", "SSE.Views.LeftMenu.tipFile": "Plik", diff --git a/apps/spreadsheeteditor/main/locale/ru.json b/apps/spreadsheeteditor/main/locale/ru.json index 2eab1582c..4847b658b 100644 --- a/apps/spreadsheeteditor/main/locale/ru.json +++ b/apps/spreadsheeteditor/main/locale/ru.json @@ -1294,6 +1294,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Язык формул", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Пример: СУММ; МИН; МАКС; СЧЁТ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Включить отображение комментариев в тексте", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Включить стиль R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Региональные параметры", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Пример:", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Включить отображение решенных комментариев", @@ -1309,6 +1310,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Отключено", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Сохранить на сервере", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Каждую минуту", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Стиль ссылок", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Сантиметр", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Немецкий", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "Английский", @@ -1322,8 +1324,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Пункт", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Русский", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "как Windows", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Стиль ссылок", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Включить стиль R1C1", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Внимание", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "C помощью пароля", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Защитить электронную таблицу", diff --git a/apps/spreadsheeteditor/main/locale/sk.json b/apps/spreadsheeteditor/main/locale/sk.json index b11cf4e70..8ccad9d31 100644 --- a/apps/spreadsheeteditor/main/locale/sk.json +++ b/apps/spreadsheeteditor/main/locale/sk.json @@ -91,27 +91,47 @@ "Common.Views.ImageFromUrlDialog.txtEmpty": "Toto pole sa vyžaduje", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Toto pole by malo byť vo formáte 'http://www.example.com'", "Common.Views.OpenDialog.cancelButtonText": "Zrušiť", + "Common.Views.OpenDialog.closeButtonText": "Zatvoriť súbor", "Common.Views.OpenDialog.okButtonText": "OK", "Common.Views.OpenDialog.txtDelimiter": "Oddeľovač", "Common.Views.OpenDialog.txtEncoding": "Kódovanie", "Common.Views.OpenDialog.txtIncorrectPwd": "Heslo je nesprávne.", "Common.Views.OpenDialog.txtOther": "Ostatné", "Common.Views.OpenDialog.txtPassword": "Heslo", + "Common.Views.OpenDialog.txtPreview": "Náhľad", "Common.Views.OpenDialog.txtSpace": "Priestor", "Common.Views.OpenDialog.txtTab": "Tabulátor", "Common.Views.OpenDialog.txtTitle": "Vyberte %1 možností", "Common.Views.OpenDialog.txtTitleProtected": "Chránený súbor", + "Common.Views.PasswordDialog.okButtonText": "OK", + "Common.Views.PasswordDialog.txtIncorrectPwd": "Heslá sa nezhodujú", + "Common.Views.PasswordDialog.txtTitle": "Nastaviť heslo", "Common.Views.PluginDlg.textLoading": "Nahrávanie", "Common.Views.Plugins.groupCaption": "Pluginy", "Common.Views.Plugins.strPlugins": "Pluginy", "Common.Views.Plugins.textLoading": "Nahrávanie", "Common.Views.Plugins.textStart": "Začať/začiatok", "Common.Views.Plugins.textStop": "Stop", + "Common.Views.Protection.txtDeletePwd": "Odstrániť heslo", "Common.Views.RenameDialog.cancelButtonText": "Zrušiť", "Common.Views.RenameDialog.okButtonText": "OK", "Common.Views.RenameDialog.textName": "Názov súboru", "Common.Views.RenameDialog.txtInvalidName": "Názov súboru nemôže obsahovať žiadny z nasledujúcich znakov:", "Common.Views.ReviewChanges.strStrict": "Prísny", + "Common.Views.ReviewChanges.tipReviewView": "Vyberte režim, v ktorom chcete zobraziť zmeny", + "Common.Views.ReviewChanges.txtClose": "Zatvoriť", + "Common.Views.ReviewChanges.txtCoAuthMode": "Režim spoločnej úpravy", + "Common.Views.ReviewChanges.txtPrev": "Predchádzajúci", + "Common.Views.ReviewChanges.txtView": "Režim zobrazenia", + "Common.Views.ReviewPopover.textCancel": "Zrušiť", + "Common.Views.ReviewPopover.textClose": "Zatvoriť", + "Common.Views.ReviewPopover.textEdit": "OK", + "Common.Views.SignDialog.okButtonText": "OK", + "Common.Views.SignDialog.textCertificate": "Certifikát", + "Common.Views.SignDialog.textItalic": "Kurzíva", + "Common.Views.SignDialog.textSelect": "Vybrať", + "Common.Views.SignDialog.textSelectImage": "Vybrať obrázok", + "Common.Views.SignSettingsDialog.okButtonText": "OK", "SSE.Controllers.DocumentHolder.alignmentText": "Zarovnanie", "SSE.Controllers.DocumentHolder.centerText": "Stred", "SSE.Controllers.DocumentHolder.deleteColumnText": "Odstrániť stĺpec", @@ -330,6 +350,7 @@ "SSE.Controllers.Main.saveTitleText": "Ukladanie zošitu", "SSE.Controllers.Main.textAnonymous": "Anonymný", "SSE.Controllers.Main.textBuyNow": "Navštíviť webovú stránku", + "SSE.Controllers.Main.textClose": "Zatvoriť", "SSE.Controllers.Main.textCloseTip": "Kliknutím zavrite tip", "SSE.Controllers.Main.textConfirm": "Potvrdenie", "SSE.Controllers.Main.textContactUs": "Kontaktujte predajcu", @@ -789,6 +810,7 @@ "SSE.Views.CellRangeDialog.txtEmpty": "Toto pole sa vyžaduje", "SSE.Views.CellRangeDialog.txtInvalidRange": "CHYBA! Neplatný rozsah buniek", "SSE.Views.CellRangeDialog.txtTitle": "Vybrať rozsah údajov", + "SSE.Views.CellSettings.tipInnerVert": "Nastaviť len vertikálne vnútorné čiary", "SSE.Views.ChartSettings.strLineWeight": "Hrúbka čiary", "SSE.Views.ChartSettings.strSparkColor": "Farba", "SSE.Views.ChartSettings.strTemplate": "Šablóna", @@ -1007,6 +1029,8 @@ "SSE.Views.DocumentHolder.textArrangeFront": "Premiestniť do popredia", "SSE.Views.DocumentHolder.textEntriesList": "Vybrať z rolovacieho zoznamu", "SSE.Views.DocumentHolder.textFreezePanes": "Ukotviť priečky", + "SSE.Views.DocumentHolder.textFromFile": "Zo súboru", + "SSE.Views.DocumentHolder.textFromUrl": "Z URL adresy", "SSE.Views.DocumentHolder.textNone": "žiadny", "SSE.Views.DocumentHolder.textUndo": "Krok späť", "SSE.Views.DocumentHolder.textUnFreezePanes": "Zrušiť priečky", @@ -1063,7 +1087,7 @@ "SSE.Views.DocumentHolder.txtWidth": "Šírka", "SSE.Views.DocumentHolder.vertAlignText": "Vertikálne zarovnanie", "SSE.Views.FileMenu.btnBackCaption": "Prejsť do Dokumentov", - "SSE.Views.FileMenu.btnCloseMenuCaption": "Zavrieť menu", + "SSE.Views.FileMenu.btnCloseMenuCaption": "Zatvoriť menu", "SSE.Views.FileMenu.btnCreateNewCaption": "Vytvoriť nový", "SSE.Views.FileMenu.btnDownloadCaption": "Stiahnuť ako...", "SSE.Views.FileMenu.btnHelpCaption": "Pomoc...", @@ -1127,6 +1151,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Bod", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Ruština", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "ako Windows", + "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Upozornenie", "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Všeobecné", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Nastavenie stránky", "SSE.Views.FormatSettingsDialog.textCancel": "Zrušiť", @@ -1268,6 +1293,8 @@ "SSE.Views.NameManagerDlg.textWorkbook": "Zošit", "SSE.Views.NameManagerDlg.tipIsLocked": "Tento prvok upravuje iný používateľ.", "SSE.Views.NameManagerDlg.txtTitle": "Správca názvov", + "SSE.Views.PageMarginsDialog.cancelButtonText": "Zrušiť", + "SSE.Views.PageMarginsDialog.okButtonText": "OK", "SSE.Views.ParagraphSettings.strLineHeight": "Riadkovanie", "SSE.Views.ParagraphSettings.strParagraphSpacing": "Riadkovanie medzi odstavcami", "SSE.Views.ParagraphSettings.strSpacingAfter": "Za", @@ -1305,6 +1332,12 @@ "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Pozícia tabulátora", "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Vpravo", "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Odsek - Pokročilé nastavenia", + "SSE.Views.PivotSettings.notcriticalErrorTitle": "Upozornenie", + "SSE.Views.PivotSettings.textAdvanced": "Zobraziť pokročilé nastavenia", + "SSE.Views.PivotSettings.textCancel": "Zrušiť", + "SSE.Views.PivotSettings.textOK": "OK", + "SSE.Views.PivotTable.txtSelect": "Vybrať", + "SSE.Views.PrintSettings.btnDownload": "Uložiť a stiahnuť", "SSE.Views.PrintSettings.btnPrint": "Uložiť a vytlačiť", "SSE.Views.PrintSettings.cancelButtonText": "Zrušiť", "SSE.Views.PrintSettings.strBottom": "Dole", @@ -1314,6 +1347,7 @@ "SSE.Views.PrintSettings.strPortrait": "Na výšku", "SSE.Views.PrintSettings.strPrint": "Tlačiť", "SSE.Views.PrintSettings.strRight": "Vpravo", + "SSE.Views.PrintSettings.strShow": "Zobraziť", "SSE.Views.PrintSettings.strTop": "Hore", "SSE.Views.PrintSettings.textActualSize": "Aktuálna veľkosť", "SSE.Views.PrintSettings.textAllSheets": "Všetky listy", @@ -1421,6 +1455,7 @@ "SSE.Views.ShapeSettingsAdvanced.textTop": "Hore", "SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "Nastavenia tvaru", "SSE.Views.ShapeSettingsAdvanced.textWidth": "Šírka", + "SSE.Views.SignatureSettings.notcriticalErrorTitle": "Upozornenie", "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Kopírovať na koniec)", "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Presunúť na koniec)", "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Kopírovať pred list", @@ -1605,6 +1640,7 @@ "SSE.Views.Toolbar.textStock": "Akcie/burzový graf", "SSE.Views.Toolbar.textSubscript": "Dolný index", "SSE.Views.Toolbar.textSurface": "Povrch", + "SSE.Views.Toolbar.textTabCollaboration": "Spolupráca", "SSE.Views.Toolbar.textTabFile": "Súbor", "SSE.Views.Toolbar.textTabHome": "Hlavná stránka", "SSE.Views.Toolbar.textTabInsert": "Vložiť", diff --git a/apps/spreadsheeteditor/main/locale/zh.json b/apps/spreadsheeteditor/main/locale/zh.json index 1a3ac0600..41cce628b 100644 --- a/apps/spreadsheeteditor/main/locale/zh.json +++ b/apps/spreadsheeteditor/main/locale/zh.json @@ -1,10 +1,10 @@ { "cancelButtonText": "取消", - "Common.Controllers.Chat.notcriticalErrorTitle": "警告中", + "Common.Controllers.Chat.notcriticalErrorTitle": "警告", "Common.Controllers.Chat.textEnterMessage": "在这里输入你的信息", "Common.Controllers.Chat.textUserLimit": "您正在使用ONLYOFFICE免费版。
只有两个用户可以同时共同编辑文档。
想要更多?考虑购买ONLYOFFICE企业版。
阅读更多内容", - "Common.UI.ComboBorderSize.txtNoBorders": "没有边界", - "Common.UI.ComboBorderSizeEditable.txtNoBorders": "没有边界", + "Common.UI.ComboBorderSize.txtNoBorders": "没有边框", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "没有边框", "Common.UI.ComboDataView.emptyComboText": "没有风格", "Common.UI.ExtendedColorDialog.addButtonText": "添加", "Common.UI.ExtendedColorDialog.cancelButtonText": "取消", @@ -18,7 +18,7 @@ "Common.UI.SearchDialog.textReplaceDef": "输入替换文字", "Common.UI.SearchDialog.textSearchStart": "在这里输入你的文字", "Common.UI.SearchDialog.textTitle": "查找和替换", - "Common.UI.SearchDialog.textTitle2": "发现", + "Common.UI.SearchDialog.textTitle2": "查找", "Common.UI.SearchDialog.textWholeWords": "只有整个字", "Common.UI.SearchDialog.txtBtnHideReplace": "隐藏替换", "Common.UI.SearchDialog.txtBtnReplace": "替换", @@ -35,7 +35,7 @@ "Common.UI.Window.textDontShow": "不要再显示此消息", "Common.UI.Window.textError": "错误", "Common.UI.Window.textInformation": "信息", - "Common.UI.Window.textWarning": "警告中", + "Common.UI.Window.textWarning": "警告", "Common.UI.Window.yesButtonText": "是", "Common.Utils.Metric.txtCm": "厘米", "Common.Utils.Metric.txtPt": "像素", @@ -43,7 +43,7 @@ "Common.Views.About.txtLicensee": "被许可人", "Common.Views.About.txtLicensor": "许可", "Common.Views.About.txtMail": "电子邮件:", - "Common.Views.About.txtPoweredBy": "供电", + "Common.Views.About.txtPoweredBy": "技术支持", "Common.Views.About.txtTel": "电话:", "Common.Views.About.txtVersion": "版本", "Common.Views.AdvancedSettingsWindow.cancelButtonText": "取消", @@ -110,7 +110,7 @@ "SSE.Controllers.DocumentHolder.insertRowBelowText": "下面的行", "SSE.Controllers.DocumentHolder.insertText": "插入", "SSE.Controllers.DocumentHolder.leftText": "左", - "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "警告中", + "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "警告", "SSE.Controllers.DocumentHolder.rightText": "右", "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "列宽{0}符号({1}像素)", "SSE.Controllers.DocumentHolder.textChangeRowHeight": "行高{0}分({1}个像素)", @@ -226,7 +226,7 @@ "SSE.Controllers.LeftMenu.textSearch": "搜索", "SSE.Controllers.LeftMenu.textSheet": "表格", "SSE.Controllers.LeftMenu.textValues": "值", - "SSE.Controllers.LeftMenu.textWarning": "警告中", + "SSE.Controllers.LeftMenu.textWarning": "警告", "SSE.Controllers.LeftMenu.textWithin": "里边", "SSE.Controllers.LeftMenu.textWorkbook": "工作簿", "SSE.Controllers.LeftMenu.warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
您确定要继续吗?", @@ -297,7 +297,7 @@ "SSE.Controllers.Main.loadImageTextText": "图片加载中…", "SSE.Controllers.Main.loadImageTitleText": "图片加载中", "SSE.Controllers.Main.loadingDocumentTitleText": "加载电子表格", - "SSE.Controllers.Main.notcriticalErrorTitle": "警告中", + "SSE.Controllers.Main.notcriticalErrorTitle": "警告", "SSE.Controllers.Main.openErrorText": "打开文件时发生错误", "SSE.Controllers.Main.openTextText": "打开电子表格...", "SSE.Controllers.Main.openTitleText": "打开电子表格", @@ -378,7 +378,7 @@ "SSE.Controllers.Main.warnNoLicense": "您正在使用ONLYOFFICE的开源版本。该版本对文档服务器的并发连接有限制(每次20个连接)。
如果需要更多请考虑购买商业许可证。", "SSE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", "SSE.Controllers.Print.strAllSheets": "所有表格", - "SSE.Controllers.Print.textWarning": "警告中", + "SSE.Controllers.Print.textWarning": "警告", "SSE.Controllers.Print.warnCheckMargings": "边距不正确", "SSE.Controllers.Statusbar.errorLastSheet": "工作簿必须至少有一个可见的工作表", "SSE.Controllers.Statusbar.errorRemoveSheet": "不能删除工作表", @@ -403,7 +403,7 @@ "SSE.Controllers.Toolbar.textRadical": "自由基", "SSE.Controllers.Toolbar.textScript": "脚本", "SSE.Controllers.Toolbar.textSymbols": "符号", - "SSE.Controllers.Toolbar.textWarning": "警告中", + "SSE.Controllers.Toolbar.textWarning": "警告", "SSE.Controllers.Toolbar.txtAccent_Accent": "急性", "SSE.Controllers.Toolbar.txtAccent_ArrowD": "右上方的箭头在上方", "SSE.Controllers.Toolbar.txtAccent_ArrowL": "向左箭头", @@ -734,7 +734,7 @@ "SSE.Views.AutoFilterDialog.textEmptyItem": "空白", "SSE.Views.AutoFilterDialog.textSelectAll": "全选", "SSE.Views.AutoFilterDialog.textSelectAllResults": "选择所有搜索结果", - "SSE.Views.AutoFilterDialog.textWarning": "警告中", + "SSE.Views.AutoFilterDialog.textWarning": "警告", "SSE.Views.AutoFilterDialog.txtAboveAve": "平均水平以上", "SSE.Views.AutoFilterDialog.txtBegins": "以......开始", "SSE.Views.AutoFilterDialog.txtBelowAve": "在平均值以下", @@ -1211,7 +1211,7 @@ "SSE.Views.NamedRangeEditDlg.cancelButtonText": "取消", "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "无法编辑现有的命名范围,因此无法在其中编辑新的范围。", "SSE.Views.NamedRangeEditDlg.namePlaceholder": "定义名称", - "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "警告中", + "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "警告", "SSE.Views.NamedRangeEditDlg.okButtonText": "确定", "SSE.Views.NamedRangeEditDlg.strWorkbook": "工作簿", "SSE.Views.NamedRangeEditDlg.textDataRange": "数据范围", @@ -1270,7 +1270,7 @@ "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右", "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "字体 ", "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "缩进和放置", - "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小帽子", + "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小写", "SSE.Views.ParagraphSettingsAdvanced.strStrike": "删除线", "SSE.Views.ParagraphSettingsAdvanced.strSubscript": "下标", "SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "上标", @@ -1449,7 +1449,7 @@ "SSE.Views.TableSettings.insertColumnRightText": "向右侧插入列", "SSE.Views.TableSettings.insertRowAboveText": "插入行以上", "SSE.Views.TableSettings.insertRowBelowText": "在下面插入行", - "SSE.Views.TableSettings.notcriticalErrorTitle": "警告中", + "SSE.Views.TableSettings.notcriticalErrorTitle": "警告", "SSE.Views.TableSettings.selectColumnText": "选择整个列", "SSE.Views.TableSettings.selectDataText": "选择列数据", "SSE.Views.TableSettings.selectRowText": "选择行", @@ -1566,7 +1566,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "内水平边界", "SSE.Views.Toolbar.textMoreFormats": "更多格式", "SSE.Views.Toolbar.textNewColor": "添加新的自定义颜色", - "SSE.Views.Toolbar.textNoBorders": "没有边界", + "SSE.Views.Toolbar.textNoBorders": "没有边框", "SSE.Views.Toolbar.textOutBorders": "境外", "SSE.Views.Toolbar.textPie": "派", "SSE.Views.Toolbar.textPoint": "XY(散射)", @@ -1660,7 +1660,7 @@ "SSE.Views.Toolbar.txtMergeCenter": "合并与中心", "SSE.Views.Toolbar.txtNamedRange": "命名范围", "SSE.Views.Toolbar.txtNewRange": "定义名称", - "SSE.Views.Toolbar.txtNoBorders": "没有边界", + "SSE.Views.Toolbar.txtNoBorders": "没有边框", "SSE.Views.Toolbar.txtNumber": "数", "SSE.Views.Toolbar.txtPasteRange": "粘贴名称", "SSE.Views.Toolbar.txtPercentage": "百分比", diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm index 05932d168..68287dd71 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm @@ -27,7 +27,7 @@ XLS Dateiendung für eine Tabellendatei, die mit Microsoft Excel erstellt wurde + - + + diff --git a/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js index 1047473e8..0ffc2213d 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js @@ -2243,7 +2243,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Unterstützte Formate für Kalkulationstabellen", - "body": "Eine Kalkulationstabelle ist eine Tabelle mit Daten, die in Zeilen und Spalten organisiert sind. Sie wird am häufigsten zur Speicherung von Finanzinformationen verwendet, da nach Änderungen an einer einzelnen Zelle automatisch das gesamte Blatt neu berechnet wird. Der Tabellenkalkulationseditor ermöglicht das Öffnen, Anzeigen und Bearbeiten der gängigsten Dateiformate für Tabellenkalkulationen. Formate Beschreibung Anzeige Bearbeitung Download XLS Dateiendung für eine Tabellendatei, die mit Microsoft Excel erstellt wurde + + XLSX Standard-Dateiendung für eine Tabellendatei, die mit Microsoft Office Excel 2007 (oder späteren Versionen) erstellt wurde + + + ODS Dateiendung für eine Tabellendatei, die in Paketen OpenOffice und StarOffice genutzt wird, ein offener Standard für Kalkulationstabellen + + + CSV Comma Separated Values - durch Komma getrennte Werte Dateiformat, das zum Aufbewahren der tabellarischen Daten (Zahlen und Text) im Klartext genutzt wird + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können +" + "body": "Eine Kalkulationstabelle ist eine Tabelle mit Daten, die in Zeilen und Spalten organisiert sind. Sie wird am häufigsten zur Speicherung von Finanzinformationen verwendet, da nach Änderungen an einer einzelnen Zelle automatisch das gesamte Blatt neu berechnet wird. Der Tabellenkalkulationseditor ermöglicht das Öffnen, Anzeigen und Bearbeiten der gängigsten Dateiformate für Tabellenkalkulationen. Formate Beschreibung Anzeige Bearbeitung Download XLS Dateiendung für eine Tabellendatei, die mit Microsoft Excel erstellt wurde + XLSX Standard-Dateiendung für eine Tabellendatei, die mit Microsoft Office Excel 2007 (oder späteren Versionen) erstellt wurde + + + ODS Dateiendung für eine Tabellendatei, die in Paketen OpenOffice und StarOffice genutzt wird, ein offener Standard für Kalkulationstabellen + + + CSV Comma Separated Values - durch Komma getrennte Werte Dateiformat, das zum Aufbewahren der tabellarischen Daten (Zahlen und Text) im Klartext genutzt wird + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können +" }, { "id": "ProgramInterface/CollaborationTab.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm index f2d0d1080..74fe57294 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm @@ -25,6 +25,12 @@
  • Autosave is used to turn on/off automatic saving of changes you make while editing.
  • +
  • Reference Style is used to turn on/off the R1C1 reference style. By default, this option is disabled and the A1 reference style is used. +

    When the A1 reference style is used, columns are designated by letters, and rows are designated by numbers. If you select the cell located in row 3 and column 2, its address displayed in the box to the left of the the formula bar looks like this: B3. If the R1C1 reference style is enabled, both rows and columns are designated by numbers. If you select the cell at the intersection of row 3 and column 2, its address will look like this: R3C2. Letter R indicates the row number and letter C indicates the column number.

    +

    Active cell

    +

    In case you refer to other cells using the R1C1 reference style, the reference to a target cell is formed based on the distance from an active cell. For example, when you select the cell in row 5 and column 1 and refer to the cell in row 3 and column 2, the reference is R[-2]C[1]. Numbers in square brackets designate the position of the cell you refer to relative to the current cell position, i.e. the target cell is 2 rows up and 1 column to the right of the active cell. If you select the cell in row 1 and column 2 and refer to the same cell in row 3 and column 2, the reference is R[2]C, i.e. the target cell is 2 rows down from the active cell and in the same column.

    +

    Relative reference

    +
  • Co-editing Mode is used to select the display of the changes made during the co-editing:
    • By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users.
    • diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index fcd8887c2..acdc61ea6 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -29,7 +29,7 @@ XLS File extension for a spreadsheet file created by Microsoft Excel + - + + diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/activecell.png b/apps/spreadsheeteditor/main/resources/help/en/images/activecell.png new file mode 100644 index 000000000..fca5a730c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/activecell.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/relativereference.png b/apps/spreadsheeteditor/main/resources/help/en/images/relativereference.png new file mode 100644 index 000000000..b58cebfe3 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/relativereference.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js index 65e2280a0..e48936a5b 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js @@ -2213,7 +2213,7 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Advanced Settings of Spreadsheet Editor", - "body": "Spreadsheet Editor lets you change its general advanced settings. To access them, open the File tab at the top toolbar and select the Advanced Settings... option. You can also click the View settings icon on the right side of the editor header and select the Advanced settings option. The general advanced settings are: Commenting Display is used to turn on/off the live commenting option: Turn on display of the comments - if you disable this feature, the commented cells will be marked on the sheet only if you click the Comments icon at the left sidebar. Turn on display of the resolved comments - this feature is disabled by default so that the resolved comments were hidden on the sheet. You can view such comments only if you click the Comments icon at the left sidebar. Enable this option if you want to display resolved comments on the sheet. Autosave is used to turn on/off automatic saving of changes you make while editing. Co-editing Mode is used to select the display of the changes made during the co-editing: By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users. If you prefer not to see other user changes (so that they do not disturb you, or for some other reason), select the Strict mode and all the changes will be shown only after you click the Save icon notifying you that there are changes from other users. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. Font Hinting is used to select the type a font is displayed in Spreadsheet Editor: Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Unit of Measurement is used to specify what units are used for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. Formula Language is used to select the language for displaying and entering formula names. Regional Settings is used to select the default display format for currency and date and time. To save the changes you made, click the Apply button." + "body": "Spreadsheet Editor lets you change its general advanced settings. To access them, open the File tab at the top toolbar and select the Advanced Settings... option. You can also click the View settings icon on the right side of the editor header and select the Advanced settings option. The general advanced settings are: Commenting Display is used to turn on/off the live commenting option: Turn on display of the comments - if you disable this feature, the commented cells will be marked on the sheet only if you click the Comments icon at the left sidebar. Turn on display of the resolved comments - this feature is disabled by default so that the resolved comments were hidden on the sheet. You can view such comments only if you click the Comments icon at the left sidebar. Enable this option if you want to display resolved comments on the sheet. Autosave is used to turn on/off automatic saving of changes you make while editing. Reference Style is used to turn on/off the R1C1 reference style. By default, this option is disabled and the A1 reference style is used. When the A1 reference style is used, columns are designated by letters, and rows are designated by numbers. If you select the cell located in row 3 and column 2, its address displayed in the box to the left of the the formula bar looks like this: B3. If the R1C1 reference style is enabled, both rows and columns are designated by numbers. If you select the cell at the intersection of row 3 and column 2, its address will look like this: R3C2. Letter R indicates the row number and letter C indicates the column number. In case you refer to other cells using the R1C1 reference style, the reference to a target cell is formed based on the distance from an active cell. For example, when you select the cell in row 5 and column 1 and refer to the cell in row 3 and column 2, the reference is R[-2]C[1]. Numbers in square brackets designate the position of the cell you refer to relative to the current cell position, i.e. the target cell is 2 rows up and 1 column to the right of the active cell. If you select the cell in row 1 and column 2 and refer to the same cell in row 3 and column 2, the reference is R[2]C, i.e. the target cell is 2 rows down from the active cell and in the same column. Co-editing Mode is used to select the display of the changes made during the co-editing: By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users. If you prefer not to see other user changes (so that they do not disturb you, or for some other reason), select the Strict mode and all the changes will be shown only after you click the Save icon notifying you that there are changes from other users. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. Font Hinting is used to select the type a font is displayed in Spreadsheet Editor: Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Unit of Measurement is used to specify what units are used for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. Formula Language is used to select the language for displaying and entering formula names. Regional Settings is used to select the default display format for currency and date and time. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", @@ -2238,7 +2238,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Spreadsheets", - "body": "A spreadsheet is a table of data organized in rows and columns. It is most frequently used to store the financial information because of its ability to re-calculate the entire sheet automatically after a change to a single cell. Spreadsheet Editor allows you to open, view and edit the most popular spreadsheet file formats. Formats Description View Edit Download XLS File extension for a spreadsheet file created by Microsoft Excel + + XLSX Default file extension for a spreadsheet file written in Microsoft Office Excel 2007 (or later versions) + + + ODS File extension for a spreadsheet file used by OpenOffice and StarOffice suites, an open standard for spreadsheets + + + CSV Comma Separated Values File format used to store tabular data (numbers and text) in plain-text form + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems +" + "body": "A spreadsheet is a table of data organized in rows and columns. It is most frequently used to store the financial information because of its ability to re-calculate the entire sheet automatically after a change to a single cell. Spreadsheet Editor allows you to open, view and edit the most popular spreadsheet file formats. Formats Description View Edit Download XLS File extension for a spreadsheet file created by Microsoft Excel + XLSX Default file extension for a spreadsheet file written in Microsoft Office Excel 2007 (or later versions) + + + ODS File extension for a spreadsheet file used by OpenOffice and StarOffice suites, an open standard for spreadsheets + + + CSV Comma Separated Values File format used to store tabular data (numbers and text) in plain-text form + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems +" }, { "id": "ProgramInterface/CollaborationTab.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm index 119240151..c3a6bebb4 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm @@ -27,7 +27,7 @@ XLS Es una extensión de archivo para hoja de cálculo creada por Microsoft Excel + - + + diff --git a/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js index 41e185c77..331d968e2 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js @@ -2238,7 +2238,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formatos compatibles de hojas de cálculo", - "body": "La hoja de cálculo es una tabla de datos organizada en filas y columnas. Se suele usar para almacenar la información financiera porque tiene la función de recálculo automático de la hoja entera después de cualquier cambio en una celda. El editor de hojas de cálculo le permite abrir, ver y editar los formatos de hojas de cálculo más populares. Formatos Descripción Ver Editar Descargar XLS Es una extensión de archivo para hoja de cálculo creada por Microsoft Excel + + XLSX Es una extensión de archivo predeterminada para una hoja de cálculo escrita en Microsoft Office Excel 2007 (o la versión más reciente) + + + ODS Es una extensión de archivo para una hoja de cálculo usada por conjuntos OpenOffice y StarOffice, un estándar abierto para hojas de cálculo + + + CSV Valores separados por comas Es un formato de archivo que se usa para almacenar datos tabulares (números y texto) en un formato de texto no cifrado + + + PDF Formato de documento portátil Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos +" + "body": "La hoja de cálculo es una tabla de datos organizada en filas y columnas. Se suele usar para almacenar la información financiera porque tiene la función de recálculo automático de la hoja entera después de cualquier cambio en una celda. El editor de hojas de cálculo le permite abrir, ver y editar los formatos de hojas de cálculo más populares. Formatos Descripción Ver Editar Descargar XLS Es una extensión de archivo para hoja de cálculo creada por Microsoft Excel + XLSX Es una extensión de archivo predeterminada para una hoja de cálculo escrita en Microsoft Office Excel 2007 (o la versión más reciente) + + + ODS Es una extensión de archivo para una hoja de cálculo usada por conjuntos OpenOffice y StarOffice, un estándar abierto para hojas de cálculo + + + CSV Valores separados por comas Es un formato de archivo que se usa para almacenar datos tabulares (números y texto) en un formato de texto no cifrado + + + PDF Formato de documento portátil Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos +" }, { "id": "ProgramInterface/CollaborationTab.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm index 217ea8307..00471be9d 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm @@ -27,7 +27,7 @@ XLS L'extension de fichier pour un classeur créé par Microsoft Excel + - + + diff --git a/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js index 5d507779d..effc8b615 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js @@ -2243,7 +2243,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formats des fichiers pris en charge", - "body": "Une feuille de calcul c'est une table de données organisées en lignes et en colonnes. Grâce à la capacité de recalculer automatiquement la feuille toute entière après un changement dans une seule cellule, elle est la plus souvent utilisée pour stocker l'information financière. Spreadsheet Editor vous permet d'ouvrir et de modifier les formats les plus populaires. Formats Description Affichage Edition Téléchargement XLS L'extension de fichier pour un classeur créé par Microsoft Excel + + XLSX L’extension de fichier par défaut pour un classeur créé par Microsoft Office Excel 2007 (ou la version ultérieure) + + + ODS L’extension de fichier pour un classeur utilisé par les suites OpenOffice et StarOffice, un standard ouvert pour les feuilles de calcul + + + CSV Valeurs séparées par une virgule Le format de fichier utilisé pour stocker des données tabulaires (des chiffres et du texte) sous forme de texte clair + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation +" + "body": "Une feuille de calcul c'est une table de données organisées en lignes et en colonnes. Grâce à la capacité de recalculer automatiquement la feuille toute entière après un changement dans une seule cellule, elle est la plus souvent utilisée pour stocker l'information financière. Spreadsheet Editor vous permet d'ouvrir et de modifier les formats les plus populaires. Formats Description Affichage Edition Téléchargement XLS L'extension de fichier pour un classeur créé par Microsoft Excel + XLSX L’extension de fichier par défaut pour un classeur créé par Microsoft Office Excel 2007 (ou la version ultérieure) + + + ODS L’extension de fichier pour un classeur utilisé par les suites OpenOffice et StarOffice, un standard ouvert pour les feuilles de calcul + + + CSV Valeurs séparées par une virgule Le format de fichier utilisé pour stocker des données tabulaires (des chiffres et du texte) sous forme de texte clair + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation +" }, { "id": "ProgramInterface/CollaborationTab.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/it_/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/it_/HelpfulHints/SupportedFormats.htm index 85ae6cdf2..b9144fc3d 100644 --- a/apps/spreadsheeteditor/main/resources/help/it_/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/it_/HelpfulHints/SupportedFormats.htm @@ -24,7 +24,7 @@ XLS Estensione dei fogli elettronici creati da Microsoft Excel + - + + diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm index 11201a82e..4200e8a73 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm @@ -25,6 +25,13 @@
  • Автосохранение - используется для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании.
  • +
  • + Стиль ссылок - используется для включения/отключения стиля ссылок R1C1. По умолчанию эта опция отключена, и используется стиль ссылок A1. +

    Когда используется стиль ссылок A1, столбцы обозначаются буквами, а строки - цифрами. Если выделить ячейку, расположенную в строке 3 и столбце 2, ее адрес, отображаемый в поле слева от строки формул, выглядит следующим образом: B3. Если включен стиль ссылок R1C1, и строки, и столбцы обозначаются числами. Если выделить ячейку на пересечении строки 3 и столбца 2, ее адрес будет выглядеть так: R3C2. Буква R указывает на номер строки, а буква C - на номер столбца.

    +

    Активная ячейка

    +

    Если ссылаться на другие ячейки, используя стиль ссылок R1C1, ссылка на целевую ячейку формируется на базе расстояния от активной ячейки. Например, если выделить ячейку, расположенную в строке 5 и столбце 1, и ссылаться на ячейку в строке 3 и столбце 2, ссылка будет такой: R[-2]C[1]. Числа в квадратных скобках обозначают позицию ячейки, на которую дается ссылка, относительно позиции текущей ячейки, то есть, целевая ячейка находится на 2 строки выше и на 1 столбец правее от активной ячейки. Если выделить ячейку, расположенную в строке 1 и столбце 2, и ссылаться на ту же самую ячейку в строке 3 и столбце 2, ссылка будет такой: R[2]C, то есть целевая ячейка находится на 2 строки ниже активной ячейки и в том же самом столбце.

    +

    Относительная ссылка

    +
  • Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования:
      diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index f68910db8..5fd9b486b 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -29,7 +29,7 @@ XLS Расширение имени файла для электронных таблиц, созданных программой Microsoft Excel + - + + diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/activecell.png b/apps/spreadsheeteditor/main/resources/help/ru/images/activecell.png new file mode 100644 index 000000000..fca5a730c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/activecell.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/relativereference.png b/apps/spreadsheeteditor/main/resources/help/ru/images/relativereference.png new file mode 100644 index 000000000..b58cebfe3 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/relativereference.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js index 0513b0bae..f17cbd942 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js @@ -2213,7 +2213,7 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Дополнительные параметры редактора электронных таблиц", - "body": "Вы можете изменить дополнительные параметры редактора электронных таблиц. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. В разделе Общие доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе. Автосохранение - используется для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Хинтинг шрифтов - используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "Вы можете изменить дополнительные параметры редактора электронных таблиц. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. В разделе Общие доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе. Автосохранение - используется для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Стиль ссылок - используется для включения/отключения стиля ссылок R1C1. По умолчанию эта опция отключена, и используется стиль ссылок A1. Когда используется стиль ссылок A1, столбцы обозначаются буквами, а строки - цифрами. Если выделить ячейку, расположенную в строке 3 и столбце 2, ее адрес, отображаемый в поле слева от строки формул, выглядит следующим образом: B3. Если включен стиль ссылок R1C1, и строки, и столбцы обозначаются числами. Если выделить ячейку на пересечении строки 3 и столбца 2, ее адрес будет выглядеть так: R3C2. Буква R указывает на номер строки, а буква C - на номер столбца. Если ссылаться на другие ячейки, используя стиль ссылок R1C1, ссылка на целевую ячейку формируется на базе расстояния от активной ячейки. Например, если выделить ячейку, расположенную в строке 5 и столбце 1, и ссылаться на ячейку в строке 3 и столбце 2, ссылка будет такой: R[-2]C[1]. Числа в квадратных скобках обозначают позицию ячейки, на которую дается ссылка, относительно позиции текущей ячейки, то есть, целевая ячейка находится на 2 строки выше и на 1 столбец правее от активной ячейки. Если выделить ячейку, расположенную в строке 1 и столбце 2, и ссылаться на ту же самую ячейку в строке 3 и столбце 2, ссылка будет такой: R[2]C, то есть целевая ячейка находится на 2 строки ниже активной ячейки и в том же самом столбце. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Хинтинг шрифтов - используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/CollaborativeEditing.htm", @@ -2238,7 +2238,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных таблиц", - "body": "Электронная таблица - это таблица данных, организованных в строки и столбцы. Очень часто используется для хранения финансовой информации благодаря возможности автоматически пересчитывать весь лист после изменения отдельной ячейки. Редактор электронных таблиц позволяет открывать, просматривать и редактировать самые популярные форматы файлов электронных таблиц. Форматы Описание Просмотр Редактирование Скачивание XLS Расширение имени файла для электронных таблиц, созданных программой Microsoft Excel + + XLSX Стандартное расширение для файлов электронных таблиц, созданных с помощью программы Microsoft Office Excel 2007 (или более поздних версий) + + + ODS Расширение имени файла для электронных таблиц, используемых пакетами офисных приложений OpenOffice и StarOffice, открытый стандарт для электронных таблиц + + + CSV Comma Separated Values Формат файлов, используемый для хранения табличных данных (чисел и текста) в текстовой форме + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем +" + "body": "Электронная таблица - это таблица данных, организованных в строки и столбцы. Очень часто используется для хранения финансовой информации благодаря возможности автоматически пересчитывать весь лист после изменения отдельной ячейки. Редактор электронных таблиц позволяет открывать, просматривать и редактировать самые популярные форматы файлов электронных таблиц. Форматы Описание Просмотр Редактирование Скачивание XLS Расширение имени файла для электронных таблиц, созданных программой Microsoft Excel + XLSX Стандартное расширение для файлов электронных таблиц, созданных с помощью программы Microsoft Office Excel 2007 (или более поздних версий) + + + ODS Расширение имени файла для электронных таблиц, используемых пакетами офисных приложений OpenOffice и StarOffice, открытый стандарт для электронных таблиц + + + CSV Comma Separated Values Формат файлов, используемый для хранения табличных данных (чисел и текста) в текстовой форме + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем +" }, { "id": "ProgramInterface/CollaborationTab.htm", diff --git a/apps/spreadsheeteditor/mobile/app/controller/CellEditor.js b/apps/spreadsheeteditor/mobile/app/controller/CellEditor.js index 082b2c530..8efae1779 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/CellEditor.js +++ b/apps/spreadsheeteditor/mobile/app/controller/CellEditor.js @@ -168,7 +168,7 @@ define([ }, onInsertFunction: function() { - if (this.mode.isEdit) { + if (this.mode && this.mode.isEdit) { SSE.getController('AddContainer').showModal({ panel: 'function', button: '#ce-function' diff --git a/apps/spreadsheeteditor/mobile/app/controller/Main.js b/apps/spreadsheeteditor/mobile/app/controller/Main.js index 63d867455..95586bffe 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Main.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Main.js @@ -306,12 +306,17 @@ define([ }, onDownloadAs: function() { + if ( !this.appOptions.canDownload) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + this._state.isFromGatewayDownloadAs = true; this.api.asc_DownloadAs(Asc.c_oAscFileType.XLSX, true); }, - goBack: function() { + goBack: function(current) { var href = this.appOptions.customization.goback.url; - if (this.appOptions.customization.goback.blank!==false) { + if (!current && this.appOptions.customization.goback.blank!==false) { window.open(href, "_blank"); } else { parent.location.href = href; @@ -466,8 +471,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) uiApp.closeModal(this._state.openDlg); @@ -550,6 +553,7 @@ define([ }); $(document).on('contextmenu', _.bind(me.onContextMenu, me)); + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -990,7 +994,7 @@ define([ if (this.appOptions.canBackToFolder && !this.appOptions.isDesktopApp) { config.msg += '

      ' + this.criticalErrorExtText; config.callback = function() { - Common.NotificationCenter.trigger('goback'); + Common.NotificationCenter.trigger('goback', true); } } if (id == Asc.c_oAscError.ID.DataEncrypted) { diff --git a/apps/spreadsheeteditor/mobile/app/controller/edit/EditChart.js b/apps/spreadsheeteditor/mobile/app/controller/edit/EditChart.js index 520991676..d3a32529d 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/edit/EditChart.js +++ b/apps/spreadsheeteditor/mobile/app/controller/edit/EditChart.js @@ -230,6 +230,8 @@ define([ }, _initBorderColorView: function () { + if (!_shapeObject) return; + var me = this, stroke = _shapeObject.get_ShapeProperties().get_stroke(); diff --git a/apps/spreadsheeteditor/mobile/app/controller/edit/EditShape.js b/apps/spreadsheeteditor/mobile/app/controller/edit/EditShape.js index c7a689ee2..12ac7ca7e 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/edit/EditShape.js +++ b/apps/spreadsheeteditor/mobile/app/controller/edit/EditShape.js @@ -199,6 +199,8 @@ define([ }, _initBorderColorView: function () { + if (!_shapeObject) return; + var me = this, stroke = _shapeObject.get_ShapeProperties().get_stroke(); diff --git a/apps/spreadsheeteditor/mobile/locale/cs.json b/apps/spreadsheeteditor/mobile/locale/cs.json index 928e76e17..bdbc9b785 100644 --- a/apps/spreadsheeteditor/mobile/locale/cs.json +++ b/apps/spreadsheeteditor/mobile/locale/cs.json @@ -154,7 +154,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Verze souboru byla změněna. Stránka bude znovu načtena.", "SSE.Controllers.Main.errorUserDrop": "Tento soubor není nyní přístupný.", "SSE.Controllers.Main.errorUsersExceed": "Počet uživatelů povolených cenovým plánem byl překročen", - "SSE.Controllers.Main.errorViewerDisconnect": "Spojení je ztraceno. Stále můžete zobrazit dokument,
      ale nebudete moct stahovat ani tisknout, dokud nebude obnoveno připojení.", + "SSE.Controllers.Main.errorViewerDisconnect": "Spojení je přerušeno. Stále můžete zobrazit dokument,
      ale nebudete moci stahovat, dokud neobnovíte připojení.", "SSE.Controllers.Main.errorWrongBracketsCount": "Chyba v zadaném vzorci.
      Použitý nesprávný počet závorek.", "SSE.Controllers.Main.errorWrongOperator": "Chyba v zadaném vzorci.Použitý nesprávný operátor.
      Prosím, opravte chybu.", "SSE.Controllers.Main.leavePageText": "V tomto dokumentu máte neuložené změny. Klikněte na tlačítko \"Zůstat na této stránce\" a počkejte na automatické ukládání dokumentu.Klikněte na tlačítko \"Opustit tuto stránku\", abyste zrušili všechny neuložené změny.", @@ -200,8 +200,8 @@ "SSE.Controllers.Main.textPassword": "Heslo", "SSE.Controllers.Main.textPreloader": "Nahrávám...", "SSE.Controllers.Main.textShape": "Tvar", - "SSE.Controllers.Main.textStrict": "Přísný režim", - "SSE.Controllers.Main.textTryUndoRedo": "Funkce zpět/zopakovat jsou vypnuty pro rychlý co-editační režim.
      Klikněte na tlačítko \"Přísný režim\", abyste přešli do přísného co-editačního režimu a abyste upravovali soubor bez rušení ostatních uživatelů a odeslali vaše změny jen po jejich uložení. Pomocí Rozšířeného nastavení editoru můžete přepínat mezi co-editačními režimy.", + "SSE.Controllers.Main.textStrict": "Statický réžim", + "SSE.Controllers.Main.textTryUndoRedo": "Funkce zpět/zopakovat jsou vypnuty pro Automatický co-editační režim.
      Klikněte na tlačítko \"Statický režim\", abyste přešli do přísného co-editačního režimu a abyste upravovali soubor bez rušení ostatních uživatelů a odeslali vaše změny jen po jejich uložení. Pomocí Rozšířeného nastavení editoru můžete přepínat mezi co-editačními režimy.", "SSE.Controllers.Main.textUsername": "Uživatelské jméno ", "SSE.Controllers.Main.titleLicenseExp": "Platnost licence vypršela", "SSE.Controllers.Main.titleServerVersion": "Editor byl aktualizován", diff --git a/apps/spreadsheeteditor/mobile/locale/de.json b/apps/spreadsheeteditor/mobile/locale/de.json index 796e0dfb0..04f9dbb77 100644 --- a/apps/spreadsheeteditor/mobile/locale/de.json +++ b/apps/spreadsheeteditor/mobile/locale/de.json @@ -106,8 +106,8 @@ "SSE.Controllers.Main.downloadErrorText": "Herunterladen ist fehlgeschlagen.", "SSE.Controllers.Main.downloadMergeText": "Wird heruntergeladen...", "SSE.Controllers.Main.downloadMergeTitle": "Wird heruntergeladen", - "SSE.Controllers.Main.downloadTextText": "Dokument wird heruntergeladen...", - "SSE.Controllers.Main.downloadTitleText": "Herunterladen des Dokuments", + "SSE.Controllers.Main.downloadTextText": "Kalkulationstabelle wird heruntergeladen...", + "SSE.Controllers.Main.downloadTitleText": "Herunterladen der Kalkulationstabelle", "SSE.Controllers.Main.errorAccessDeny": "Sie haben versucht die Änderungen im Dokument, zu dem Sie keine Berechtigungen haben, vorzunehemen.
      Wenden Sie sich an Ihren Serveradministrator.", "SSE.Controllers.Main.errorArgsRange": "Die eingegebene Formel enthält einen Fehler.
      Falscher Argumentbereich wurde genutzt.", "SSE.Controllers.Main.errorAutoFilterChange": "Der Vorgang ist nicht zulässig, denn es wurde versucht, Zellen in der Tabelle auf Ihrem Arbeitsblatt zu verschieben.", @@ -157,7 +157,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", "SSE.Controllers.Main.errorUserDrop": "Kein Zugriff auf diese Datei ist möglich.", "SSE.Controllers.Main.errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Benutzeranzahl ist überschritten", - "SSE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist verloren. Man kann das Dokument anschauen,
      aber nicht herunterladen bis die Verbindung wiederhergestellt wird.", + "SSE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist unterbrochen. Man kann das Dokument anschauen,
      aber nicht herunterladen bis die Verbindung wiederhergestellt wird.", "SSE.Controllers.Main.errorWrongBracketsCount": "Die eingegebene Formel enthält einen Fehler.
      Es wurde falsche Anzahl an Klammern wurde benutzt.", "SSE.Controllers.Main.errorWrongOperator": "Die eingegebene Formel enthält einen Fehler. Falscher Operator wurde genutzt.
      Bitte korrigieren Sie den Fehler.", "SSE.Controllers.Main.leavePageText": "Dieses Dokument enthält ungespeicherte Änderungen. Klicken Sie \"Auf dieser Seite bleiben\", um auf automatisches Speichern des Dokumentes zu warten. Klicken Sie \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", diff --git a/apps/spreadsheeteditor/mobile/locale/en.json b/apps/spreadsheeteditor/mobile/locale/en.json index bc75acdab..1cffe0f34 100644 --- a/apps/spreadsheeteditor/mobile/locale/en.json +++ b/apps/spreadsheeteditor/mobile/locale/en.json @@ -106,8 +106,8 @@ "SSE.Controllers.Main.downloadErrorText": "Download failed.", "SSE.Controllers.Main.downloadMergeText": "Downloading...", "SSE.Controllers.Main.downloadMergeTitle": "Downloading", - "SSE.Controllers.Main.downloadTextText": "Downloading document...", - "SSE.Controllers.Main.downloadTitleText": "Downloading Document", + "SSE.Controllers.Main.downloadTextText": "Downloading spreadsheet...", + "SSE.Controllers.Main.downloadTitleText": "Downloading Spreadsheet", "SSE.Controllers.Main.errorAccessDeny": "You are trying to perform an action you do not have rights for.
      Please contact your Document Server administrator.", "SSE.Controllers.Main.errorArgsRange": "An error in the entered formula.
      Incorrect argument range is used.", "SSE.Controllers.Main.errorAutoFilterChange": "The operation is not allowed, as it is attempting to shift cells in a table on your worksheet.", @@ -157,7 +157,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "The file version has been changed. The page will be reloaded.", "SSE.Controllers.Main.errorUserDrop": "The file cannot be accessed right now.", "SSE.Controllers.Main.errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "SSE.Controllers.Main.errorViewerDisconnect": "Connection is lost. You can still view the document,
      but will not be able to download or print until the connection is restored.", + "SSE.Controllers.Main.errorViewerDisconnect": "Connection is lost. You can still view the document,
      but will not be able to download until the connection is restored.", "SSE.Controllers.Main.errorWrongBracketsCount": "An error in the entered formula.
      Wrong number of brackets is used.", "SSE.Controllers.Main.errorWrongOperator": "An error in the entered formula. Wrong operator is used.
      Please correct the error.", "SSE.Controllers.Main.leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/spreadsheeteditor/mobile/locale/es.json b/apps/spreadsheeteditor/mobile/locale/es.json index e2b7a93ec..dc9fb5d9d 100644 --- a/apps/spreadsheeteditor/mobile/locale/es.json +++ b/apps/spreadsheeteditor/mobile/locale/es.json @@ -106,8 +106,8 @@ "SSE.Controllers.Main.downloadErrorText": "Error en la descarga", "SSE.Controllers.Main.downloadMergeText": "Descargando...", "SSE.Controllers.Main.downloadMergeTitle": "Descargando", - "SSE.Controllers.Main.downloadTextText": "Descargando documento...", - "SSE.Controllers.Main.downloadTitleText": "Descargando documento", + "SSE.Controllers.Main.downloadTextText": "Descargando hoja de cálculo...", + "SSE.Controllers.Main.downloadTitleText": "Descargando hoja de cálculo", "SSE.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.", "SSE.Controllers.Main.errorArgsRange": "Un error en la fórmula introducida.
      Se usa un intervalo de argumentos incorrecto.", "SSE.Controllers.Main.errorAutoFilterChange": "No se permite la operación porque intenta desplazar celdas en una tabla de su hoja de cálculo.", @@ -157,7 +157,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Se ha cambiado la versión del archivo. La página será actualizada.", "SSE.Controllers.Main.errorUserDrop": "No se puede acceder al archivo ahora.", "SSE.Controllers.Main.errorUsersExceed": "El número de usuarios permitido según su plan de precios fue excedido", - "SSE.Controllers.Main.errorViewerDisconnect": "Se pierde la conexión. Usted todavía puede visualizar el documento,
      pero no puede descargar o imprimirlo hasta que la conexión sea restaurada.", + "SSE.Controllers.Main.errorViewerDisconnect": "Se pierde la conexión. Usted todavía puede visualizar el documento,
      pero no puede descargarlo antes de que conexión sea restaurada.", "SSE.Controllers.Main.errorWrongBracketsCount": "Un error en la fórmula introducida.
      Se usa un número incorrecto de corchetes.", "SSE.Controllers.Main.errorWrongOperator": "Hay un error en la fórmula introducida. Se usa un operador inválido.
      Por favor, corrija el error.", "SSE.Controllers.Main.leavePageText": "Hay cambios no guardados en este documento. Haga clic en \"Permanecer en esta página\" para esperar la función de guardar automáticamente del documento. Haga clic en \"Abandonar esta página\" para descartar todos los cambios no guardados.", diff --git a/apps/spreadsheeteditor/mobile/locale/fr.json b/apps/spreadsheeteditor/mobile/locale/fr.json index fde9c2c1c..19f74b718 100644 --- a/apps/spreadsheeteditor/mobile/locale/fr.json +++ b/apps/spreadsheeteditor/mobile/locale/fr.json @@ -106,8 +106,8 @@ "SSE.Controllers.Main.downloadErrorText": "Échec du téléchargement.", "SSE.Controllers.Main.downloadMergeText": "Téléchargement en cours...", "SSE.Controllers.Main.downloadMergeTitle": "Téléchargement en cours", - "SSE.Controllers.Main.downloadTextText": "Téléchargement du document...", - "SSE.Controllers.Main.downloadTitleText": "Téléchargement du document", + "SSE.Controllers.Main.downloadTextText": "Téléchargement de la feuille de calcul en cours...", + "SSE.Controllers.Main.downloadTitleText": "Téléchargement de la feuille de calcul", "SSE.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.", "SSE.Controllers.Main.errorArgsRange": "Une erreur dans la formule entrée.
      La plage des arguments utilisée est incorrecte.", "SSE.Controllers.Main.errorAutoFilterChange": "L'opération n'est pas autorisée, car elle tente de déplacer les cellules d'un tableau de votre feuille de calcul.", @@ -157,7 +157,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "La version du fichier a été changée. La page sera rechargée.", "SSE.Controllers.Main.errorUserDrop": "Impossible d'accéder au fichier.", "SSE.Controllers.Main.errorUsersExceed": "Le nombre d'utilisateurs autorisés par le plan tarifaire a été dépassé", - "SSE.Controllers.Main.errorViewerDisconnect": "La connexion a été perdue. Vous pouvez toujours afficher le document,
      mais ne pouvez pas le télécharger ou l'imprimer jusqu'à ce que la connexion soit rétablie.", + "SSE.Controllers.Main.errorViewerDisconnect": "La connexion a été perdue. Vous pouvez toujours afficher le document,
      mais vous ne pourrez pas le téléсharger tant que la connexion n'est pas restaurée.", "SSE.Controllers.Main.errorWrongBracketsCount": "Une erreur dans la formule entrée.
      Le nombre de crochets utilisé est incorrect.", "SSE.Controllers.Main.errorWrongOperator": "Une erreur dans la formule entrée. L'opérateur utilisé est incorrect.
      Veuillez corriger l'erreur.", "SSE.Controllers.Main.leavePageText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette Page' pour ignorer toutes les modifications non enregistrées.", diff --git a/apps/spreadsheeteditor/mobile/locale/it.json b/apps/spreadsheeteditor/mobile/locale/it.json index 74d235f0e..a00477d28 100644 --- a/apps/spreadsheeteditor/mobile/locale/it.json +++ b/apps/spreadsheeteditor/mobile/locale/it.json @@ -106,8 +106,8 @@ "SSE.Controllers.Main.downloadErrorText": "Download non riuscito.", "SSE.Controllers.Main.downloadMergeText": "Scaricamento in corso...", "SSE.Controllers.Main.downloadMergeTitle": "Scaricamento", - "SSE.Controllers.Main.downloadTextText": "Download del documento in corso...", - "SSE.Controllers.Main.downloadTitleText": "Download del documento", + "SSE.Controllers.Main.downloadTextText": "Download del foglio di calcolo in corso...", + "SSE.Controllers.Main.downloadTitleText": "Download del foglio di calcolo", "SSE.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.", "SSE.Controllers.Main.errorArgsRange": "Un errore nella formula inserita.
      È stato utilizzato un intervallo di argomenti non corretto.", "SSE.Controllers.Main.errorAutoFilterChange": "Operazione non consentita. Si sta tentando di spostare le celle nella tabella del tuo foglio di lavoro.", @@ -157,7 +157,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "La versione file è stata moificata. La pagina verrà ricaricata.", "SSE.Controllers.Main.errorUserDrop": "Impossibile accedere al file in questo momento.", "SSE.Controllers.Main.errorUsersExceed": "È stato superato il numero di utenti consentito dal piano tariffario", - "SSE.Controllers.Main.errorViewerDisconnect": "La connessione è stata persa. Puoi ancora vedere il documento,
      ma non puoi scaricarlo o stamparlo fino a che la connessione non sarà ripristinata.", + "SSE.Controllers.Main.errorViewerDisconnect": "Connessione assente. È possibile visualizzare il documento,
      ma non sarà possibile scaricarlo fino a che la connessione verrà ristabilita", "SSE.Controllers.Main.errorWrongBracketsCount": "Un errore nella formula inserita.
      E' stato utilizzato un numero errato tra parentesi.", "SSE.Controllers.Main.errorWrongOperator": "Un errore nella formula inserita.
      È stato utilizzato un operatore errato.
      Correggere per continuare.", "SSE.Controllers.Main.leavePageText": "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.", @@ -188,6 +188,7 @@ "SSE.Controllers.Main.savePreparingTitle": "Preparazione al salvataggio. Attendere prego...", "SSE.Controllers.Main.saveTextText": "Salvataggio del documento in corso...", "SSE.Controllers.Main.saveTitleText": "Salvataggio del documento", + "SSE.Controllers.Main.scriptLoadError": "La connessione è troppo lenta, alcuni componenti non possono essere caricati. Si prega di ricaricare la pagina.", "SSE.Controllers.Main.sendMergeText": "Invio unione in corso...", "SSE.Controllers.Main.sendMergeTitle": "Invio unione", "SSE.Controllers.Main.textAnonymous": "Anonimo", diff --git a/apps/spreadsheeteditor/mobile/locale/ko.json b/apps/spreadsheeteditor/mobile/locale/ko.json index 258968f62..02061610f 100644 --- a/apps/spreadsheeteditor/mobile/locale/ko.json +++ b/apps/spreadsheeteditor/mobile/locale/ko.json @@ -155,7 +155,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "파일 버전이 변경되었습니다. 페이지가 다시로드됩니다.", "SSE.Controllers.Main.errorUserDrop": "파일에 지금 액세스 할 수 없습니다.", "SSE.Controllers.Main.errorUsersExceed": "가격 책정 계획에서 허용 한 사용자 수가 초과되었습니다.", - "SSE.Controllers.Main.errorViewerDisconnect": "연결이 끊어졌습니다. 문서를 볼 수는

      하지만 연결이 복원 될 때까지 다운로드하거나 인쇄 할 수 없습니다.", + "SSE.Controllers.Main.errorViewerDisconnect": "연결이 끊어졌습니다. 문서를 볼 수는

      하지만 연결이 복원 될 때까지 다운로드 할 수 없습니다.", "SSE.Controllers.Main.errorWrongBracketsCount": "입력 된 수식에 오류가 있습니다.
      괄호가 잘못 사용되었습니다.", "SSE.Controllers.Main.errorWrongOperator": "입력 한 수식에 오류가 있습니다. 잘못된 연산자가 사용되었습니다.
      오류를 수정하십시오.", "SSE.Controllers.Main.leavePageText": "이 문서에서 변경 사항을 저장하지 않았습니다.이 페이지에 머물러 있으면 문서의 자동 저장을 기다릴 수 있습니다. '저장'을 클릭하여 저장하지 않은 모든 변경 사항을 버려주십시오.", diff --git a/apps/spreadsheeteditor/mobile/locale/lv.json b/apps/spreadsheeteditor/mobile/locale/lv.json index c83e9d850..4509ac61a 100644 --- a/apps/spreadsheeteditor/mobile/locale/lv.json +++ b/apps/spreadsheeteditor/mobile/locale/lv.json @@ -155,7 +155,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Faila versija ir mainīta. Lapa tiks pārlādēta.", "SSE.Controllers.Main.errorUserDrop": "Failam šobrīd nevar piekļūt.", "SSE.Controllers.Main.errorUsersExceed": "Tika pārsniegts cenu plāna atļautais lietotāju skaits.", - "SSE.Controllers.Main.errorViewerDisconnect": "Pārtraukts savienojums. Jūs joprojām varat aplūkot dokumentu,
      taču nevarēsit lejupielādēt vai drukāt, līdz nav atjaunots savienojums.", + "SSE.Controllers.Main.errorViewerDisconnect": "Zudis savienojums. Jūs joprojām varat aplūkot dokumentu,
      taču jūs nevarēsit to lejupielādēt, kamēr savienojums nebūs atjaunots.", "SSE.Controllers.Main.errorWrongBracketsCount": "Kļūda ievadītā formulā.
      Ir izmantots nepareizs iekavas skaits.", "SSE.Controllers.Main.errorWrongOperator": "Kļūda ievadītā formulā.
      Ir izmantots nepareizs operātors.", "SSE.Controllers.Main.leavePageText": "Šim dokumentam ir nesaglabātas izmaiņas. Spiediet \"palikt lapā\", lai sagaidītu dokumenta automātisko noglabāšanu. Spiediet \"pamest lapu\", lai atceltu visas nesaglabātās izmaiņas.", diff --git a/apps/spreadsheeteditor/mobile/locale/nl.json b/apps/spreadsheeteditor/mobile/locale/nl.json index 841273407..82acfbbeb 100644 --- a/apps/spreadsheeteditor/mobile/locale/nl.json +++ b/apps/spreadsheeteditor/mobile/locale/nl.json @@ -155,7 +155,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "De bestandsversie is gewijzigd. De pagina wordt opnieuw geladen.", "SSE.Controllers.Main.errorUserDrop": "Toegang tot het bestand is op dit moment niet mogelijk.", "SSE.Controllers.Main.errorUsersExceed": "Het onder het prijsplan toegestane aantal gebruikers is overschreden", - "SSE.Controllers.Main.errorViewerDisconnect": "Verbinding is verbroken. U kunt het document nog wel bekijken,
      maar u kunt het pas downloaden of afdrukken als de verbinding is hersteld.", + "SSE.Controllers.Main.errorViewerDisconnect": "Verbinding is verbroken. U kunt het document nog wel bekijken,
      maar kunt het pas downloaden wanneer de verbinding is hersteld.", "SSE.Controllers.Main.errorWrongBracketsCount": "De ingevoerde formule bevat een fout.
      Verkeerd aantal haakjes gebruikt.", "SSE.Controllers.Main.errorWrongOperator": "De ingevoerde formule bevat een fout. Verkeerde operator gebruikt.
      Corrigeer de fout.", "SSE.Controllers.Main.leavePageText": "Dit document bevat niet-opgeslagen wijzigingen. Klik op 'Op deze pagina blijven' om te wachten totdat het document automatisch wordt opgeslagen. Klik op 'Deze pagina verlaten' om de niet-opgeslagen wijzigingen te negeren.", diff --git a/apps/spreadsheeteditor/mobile/locale/pl.json b/apps/spreadsheeteditor/mobile/locale/pl.json index 93b3c6761..a3b3ba465 100644 --- a/apps/spreadsheeteditor/mobile/locale/pl.json +++ b/apps/spreadsheeteditor/mobile/locale/pl.json @@ -154,7 +154,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Wersja pliku została zmieniona. Strona zostanie ponownie załadowana.", "SSE.Controllers.Main.errorUserDrop": "Nie można uzyskać dostępu do tego pliku.", "SSE.Controllers.Main.errorUsersExceed": "Przekroczono liczbę dozwolonych użytkowników określonych przez plan cenowy wersji", - "SSE.Controllers.Main.errorViewerDisconnect": "Połączenie zostało utracone. Nadal możesz przeglądać dokument, ale nie będziesz mógł pobrać ani wydrukować dokumentu do momentu przywrócenia połączenia.", + "SSE.Controllers.Main.errorViewerDisconnect": "Połączenie zostało utracone. Nadal możesz przeglądać dokument,
      ale nie będzie mógł go pobrać do momentu przywrócenia połączenia.", "SSE.Controllers.Main.errorWrongBracketsCount": "Wprowadzona formuła jest błędna.
      Użyto niepoprawnej liczby klamr.", "SSE.Controllers.Main.errorWrongOperator": "Wprowadzona formuła jest błędna. Został użyty błędny operator.
      Proszę poprawić błąd.", "SSE.Controllers.Main.leavePageText": "Masz niezapisane zmiany w tym dokumencie. Kliknij przycisk 'Zostań na tej stronie', aby poczekać na automatyczny zapis dokumentu. Kliknij przycisk \"Pozostaw tę stronę\", aby usunąć wszystkie niezapisane zmiany.", @@ -462,7 +462,7 @@ "SSE.Views.Search.textSearchIn": "Szukaj w", "SSE.Views.Search.textSheet": "Arkusz", "SSE.Views.Search.textWorkbook": "Skoroszyt", - "SSE.Views.Settings.textAbout": "O", + "SSE.Views.Settings.textAbout": "O programie", "SSE.Views.Settings.textAddress": "Adres", "SSE.Views.Settings.textAuthor": "Autor", "SSE.Views.Settings.textBack": "Powrót", diff --git a/apps/spreadsheeteditor/mobile/locale/pt.json b/apps/spreadsheeteditor/mobile/locale/pt.json index ff08710bb..786b801aa 100644 --- a/apps/spreadsheeteditor/mobile/locale/pt.json +++ b/apps/spreadsheeteditor/mobile/locale/pt.json @@ -154,7 +154,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "A versão do arquivo foi alterada. A página será recarregada.", "SSE.Controllers.Main.errorUserDrop": "O arquivo não pode ser acessado agora.", "SSE.Controllers.Main.errorUsersExceed": "O número de usuários permitidos pelo plano de preços foi excedido", - "SSE.Controllers.Main.errorViewerDisconnect": "A conexão foi perdida. Você ainda pode ver o documento,
      mas não pode fazer o download ou imprimir até que a conexão seja restaurada.", + "SSE.Controllers.Main.errorViewerDisconnect": "Perda de conexão Você ainda pode exibir o documento, mas não será capaz de fazer o download até que a conexão seja restaurada.", "SSE.Controllers.Main.errorWrongBracketsCount": "Um erro na fórmula inserida.
      Número errado de parênteses está sendo usado.", "SSE.Controllers.Main.errorWrongOperator": "Um erro na fórmula inserida. Operador errado está sendo usado.
      Corrija o erro.", "SSE.Controllers.Main.leavePageText": "Você tem alterações não salvas neste documento. Clique em \"Ficar nesta Página\" para aguardar o salvamento automático do documento. Clique em \"Sair desta página\" para descartar as alterações não salvas.", diff --git a/apps/spreadsheeteditor/mobile/locale/ru.json b/apps/spreadsheeteditor/mobile/locale/ru.json index 1d7acea98..0519b7326 100644 --- a/apps/spreadsheeteditor/mobile/locale/ru.json +++ b/apps/spreadsheeteditor/mobile/locale/ru.json @@ -106,8 +106,8 @@ "SSE.Controllers.Main.downloadErrorText": "Загрузка не удалась.", "SSE.Controllers.Main.downloadMergeText": "Загрузка...", "SSE.Controllers.Main.downloadMergeTitle": "Загрузка", - "SSE.Controllers.Main.downloadTextText": "Загрузка документа...", - "SSE.Controllers.Main.downloadTitleText": "Загрузка документа", + "SSE.Controllers.Main.downloadTextText": "Загрузка таблицы...", + "SSE.Controllers.Main.downloadTitleText": "Загрузка таблицы", "SSE.Controllers.Main.errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
      Пожалуйста, обратитесь к администратору Сервера документов.", "SSE.Controllers.Main.errorArgsRange": "Ошибка во введенной формуле.
      Использован неверный диапазон аргументов.", "SSE.Controllers.Main.errorAutoFilterChange": "Операция не разрешена, поскольку предпринимается попытка сдвинуть ячейки таблицы на листе.", @@ -157,7 +157,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Версия файла была изменена. Страница будет перезагружена.", "SSE.Controllers.Main.errorUserDrop": "В настоящий момент файл недоступен.", "SSE.Controllers.Main.errorUsersExceed": "Превышено количество пользователей, разрешенных согласно тарифному плану", - "SSE.Controllers.Main.errorViewerDisconnect": "Подключение прервано. Вы по-прежнему можете просматривать документ,
      но не сможете скачать или напечатать его до восстановления подключения.", + "SSE.Controllers.Main.errorViewerDisconnect": "Подключение прервано. Вы по-прежнему можете просматривать документ,
      но не сможете скачать его до восстановления подключения.", "SSE.Controllers.Main.errorWrongBracketsCount": "Ошибка во введенной формуле.
      Использовано неверное количество скобок.", "SSE.Controllers.Main.errorWrongOperator": "Ошибка во введенной формуле. Использован неправильный оператор.
      Пожалуйста, исправьте ошибку.", "SSE.Controllers.Main.leavePageText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения документа. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", diff --git a/apps/spreadsheeteditor/mobile/locale/sk.json b/apps/spreadsheeteditor/mobile/locale/sk.json index fe98c60e1..bcd70ad49 100644 --- a/apps/spreadsheeteditor/mobile/locale/sk.json +++ b/apps/spreadsheeteditor/mobile/locale/sk.json @@ -98,6 +98,7 @@ "SSE.Controllers.Main.advDRMPassword": "Heslo", "SSE.Controllers.Main.applyChangesTextText": "Načítavanie dát...", "SSE.Controllers.Main.applyChangesTitleText": "Načítavanie dát", + "SSE.Controllers.Main.closeButtonText": "Zatvoriť súbor", "SSE.Controllers.Main.convertationTimeoutText": "Prekročený čas konverzie.", "SSE.Controllers.Main.criticalErrorExtText": "Stlačením tlačidla 'OK' sa vrátite do zoznamu dokumentov.", "SSE.Controllers.Main.criticalErrorTitle": "Chyba", @@ -155,7 +156,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Verzia súboru bola zmenená. Stránka sa znova načíta.", "SSE.Controllers.Main.errorUserDrop": "K súboru nie je možné práve teraz získať prístup.", "SSE.Controllers.Main.errorUsersExceed": "Počet používateľov povolených cenovým plánom bol prekročený", - "SSE.Controllers.Main.errorViewerDisconnect": "Spojenie je prerušené. Dokument môžete zobraziť,
      ale nemôžete ho stiahnuť ani vytlačiť, kým sa spojenie neobnoví.", + "SSE.Controllers.Main.errorViewerDisconnect": "Spojenie sa stratilo. Dokument môžete zobraziť,
      ale nebude možné ho prevziať, kým sa obnoví spojenie.", "SSE.Controllers.Main.errorWrongBracketsCount": "Chyba v zadanom vzorci.
      Používa sa nesprávny počet zátvoriek.", "SSE.Controllers.Main.errorWrongOperator": "Chyba v zadanom vzorci. Používa sa nesprávny operátor.
      Prosím, opravte chybu.", "SSE.Controllers.Main.leavePageText": "V tomto dokumente máte neuložené zmeny. Kliknutím na položku 'Zostať na tejto stránke' čakáte na automatické uloženie dokumentu. Kliknutím na položku 'Odísť z tejto stránky' odstránite všetky neuložené zmeny.", @@ -175,6 +176,7 @@ "SSE.Controllers.Main.openErrorText": "Pri otváraní súboru sa vyskytla chyba", "SSE.Controllers.Main.openTextText": "Otváranie dokumentu...", "SSE.Controllers.Main.openTitleText": "Otváranie dokumentu", + "SSE.Controllers.Main.pastInMergeAreaError": "Nie je možné zmeniť časť zlúčenej bunky", "SSE.Controllers.Main.printTextText": "Tlač dokumentu...", "SSE.Controllers.Main.printTitleText": "Tlač dokumentu", "SSE.Controllers.Main.reloadButtonText": "Obnoviť stránku", @@ -263,13 +265,19 @@ "SSE.Controllers.Search.textReplaceAll": "Nahradiť všetko", "SSE.Controllers.Settings.notcriticalErrorTitle": "Upozornenie", "SSE.Controllers.Settings.warnDownloadAs": "Ak budete pokračovať v ukladaní v tomto formáte, všetky funkcie okrem textu sa stratia.
      Ste si istý, že chcete pokračovať?", + "SSE.Controllers.Statusbar.cancelButtonText": "Zrušiť", + "SSE.Controllers.Statusbar.errNotEmpty": "Názov listu nesmie byť prázdny", "SSE.Controllers.Statusbar.errorLastSheet": "Pracovný zošit musí mať aspoň jeden viditeľný pracovný list.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Pracovný list sa nedá odstrániť.", "SSE.Controllers.Statusbar.menuDelete": "Vymazať", "SSE.Controllers.Statusbar.menuDuplicate": "Duplikát", "SSE.Controllers.Statusbar.menuHide": "Skryť", + "SSE.Controllers.Statusbar.menuRename": "Premenovať", "SSE.Controllers.Statusbar.menuUnhide": "Odkryť", + "SSE.Controllers.Statusbar.notcriticalErrorTitle": "Upozornenie", + "SSE.Controllers.Statusbar.strRenameSheet": "Premenovať list", "SSE.Controllers.Statusbar.strSheet": "List", + "SSE.Controllers.Statusbar.strSheetName": "Názov listu", "SSE.Controllers.Statusbar.textExternalLink": "Externý odkaz", "SSE.Controllers.Statusbar.warnDeleteSheet": "Pracovný list môže mať údaje. Vykonať operáciu?", "SSE.Controllers.Toolbar.dlgLeaveMsgText": "V tomto dokumente máte neuložené zmeny. Kliknutím na položku 'Zostať na tejto stránke' čakáte na automatické uloženie dokumentu. Kliknutím na položku 'Odísť z tejto stránky' odstránite všetky neuložené zmeny.", diff --git a/apps/spreadsheeteditor/mobile/locale/tr.json b/apps/spreadsheeteditor/mobile/locale/tr.json index 935ae3066..34f2ec3a8 100644 --- a/apps/spreadsheeteditor/mobile/locale/tr.json +++ b/apps/spreadsheeteditor/mobile/locale/tr.json @@ -154,7 +154,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Dosya versiyonu değiştirildi. Sayfa yenilenecektir.", "SSE.Controllers.Main.errorUserDrop": "Belgeye şu an erişilemiyor.", "SSE.Controllers.Main.errorUsersExceed": "Fiyat planının izin verdiği kullanıcı sayısı aşıldı", - "SSE.Controllers.Main.errorViewerDisconnect": "Bağlantı kesildi. Belgeyi yine de görüntüleyebilirsiniz,
      ancak bağlantı geri yüklenene kadar indirme veya yazdırma yapamazsınız.", + "SSE.Controllers.Main.errorViewerDisconnect": "Bağlantı kaybedildi. Yine belgeyi görüntüleyebilirsiniz,
      bağlantı geri gelmeden önce indirme işlemi yapılamayacak.", "SSE.Controllers.Main.errorWrongBracketsCount": "Girilen formülde hata oluştu.
      Yanlış sayıda köşeli parantez kullanıldı.", "SSE.Controllers.Main.errorWrongOperator": "Girilen formülde hata oluştu. Yanlış operatör kullanıldı.
      Lütfen hatayı düzeltin.", "SSE.Controllers.Main.leavePageText": "Bu belgede kaydedilmemiş değişiklikleriniz var. 'Sayfada Kal' tuşuna tıklayarak otomatik kaydetmeyi bekleyebilirsiniz. 'Sayfadan Ayrıl' tuşuna tıklarsanız kaydedilmemiş tüm değişiklikler silinecektir.", diff --git a/apps/spreadsheeteditor/mobile/locale/uk.json b/apps/spreadsheeteditor/mobile/locale/uk.json index d805c2463..d1ad1e612 100644 --- a/apps/spreadsheeteditor/mobile/locale/uk.json +++ b/apps/spreadsheeteditor/mobile/locale/uk.json @@ -154,7 +154,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Версія файлу була змінена. Сторінка буде перезавантажена.", "SSE.Controllers.Main.errorUserDrop": "На даний момент файл не доступний.", "SSE.Controllers.Main.errorUsersExceed": "Перевищено кількість користувачів, дозволених планом ціноутворення", - "SSE.Controllers.Main.errorViewerDisconnect": "З'єднання втрачено. Ви все ще можете переглядати документ
      , але не зможете завантажувати чи роздруковувати, доки не буде відновлено з'єднання.", + "SSE.Controllers.Main.errorViewerDisconnect": "З'єднання втрачено. Ви все ще можете переглянути документ
      , але не зможете завантажувати його до відновлення.", "SSE.Controllers.Main.errorWrongBracketsCount": "Помилка введеної формули.
      Використовується неправильне число дужок .", "SSE.Controllers.Main.errorWrongOperator": "Помилка введеної формули. Використовується неправильний оператор.
      Будь ласка, виправте помилку.", "SSE.Controllers.Main.leavePageText": "У цьому документі є незбережені зміни. Натисніть \"Залишатися на цій сторінці\", щоб дочекатись автоматичного збереження документа. Натисніть \"Покинути цю сторінку\", щоб відхилити всі незбережені зміни.", diff --git a/apps/spreadsheeteditor/mobile/locale/vi.json b/apps/spreadsheeteditor/mobile/locale/vi.json index 37fce0f34..281a4478c 100644 --- a/apps/spreadsheeteditor/mobile/locale/vi.json +++ b/apps/spreadsheeteditor/mobile/locale/vi.json @@ -154,7 +154,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "Phiên bản file này đã được thay đổi. Trang này sẽ được tải lại.", "SSE.Controllers.Main.errorUserDrop": "Không thể truy cập file ngay lúc này.", "SSE.Controllers.Main.errorUsersExceed": "Đã vượt quá số người dùng được phép của gói dịch vụ này", - "SSE.Controllers.Main.errorViewerDisconnect": "Mất kết nối. Bạn vẫn có thể xem tài liệu,
      nhưng không thể tải về hoặc in cho đến khi kết nối được khôi phục.", + "SSE.Controllers.Main.errorViewerDisconnect": "Mất kết nối. Bạn vẫn có thể xem tài liệu,
      nhưng sẽ không thể tải về cho đến khi kết nối được khôi phục.", "SSE.Controllers.Main.errorWrongBracketsCount": "Lỗi trong công thức đã nhập.
      Đã sử dụng sai số dấu ngoặc.", "SSE.Controllers.Main.errorWrongOperator": "Lỗi trong công thức đã nhập. Dùng sai toán tử.
      Vui lòng sửa lỗi.", "SSE.Controllers.Main.leavePageText": "Bạn có những thay đổi chưa lưu trong tài liệu này. Nhấp vào 'Ở lại Trang này' để chờ tự động lưu tài liệu. Nhấp vào 'Rời Trang này' để bỏ tất cả các thay đổi chưa lưu.", diff --git a/apps/spreadsheeteditor/mobile/locale/zh.json b/apps/spreadsheeteditor/mobile/locale/zh.json index 118758dc3..8ae86a962 100644 --- a/apps/spreadsheeteditor/mobile/locale/zh.json +++ b/apps/spreadsheeteditor/mobile/locale/zh.json @@ -154,7 +154,7 @@ "SSE.Controllers.Main.errorUpdateVersion": "\n该文件版本已经改变了。该页面将被重新加载。", "SSE.Controllers.Main.errorUserDrop": "该文件现在无法访问。", "SSE.Controllers.Main.errorUsersExceed": "超过了定价计划允许的用户数", - "SSE.Controllers.Main.errorViewerDisconnect": "连接丢失。您仍然可以查看文档
      ,但在连接恢复之前无法下载或打印。", + "SSE.Controllers.Main.errorViewerDisconnect": "连接丢失。您仍然可以查看文档
      ,但在连接恢复之前无法下载。", "SSE.Controllers.Main.errorWrongBracketsCount": "一个错误的输入公式。< br >用括号打错了。", "SSE.Controllers.Main.errorWrongOperator": "公式输入发生错误。操作不当,请改正!", "SSE.Controllers.Main.leavePageText": "您在本文档中有未保存的更改。点击“留在这个页面”等待文档的自动保存。点击“离开此页面”以放弃所有未保存的更改。", @@ -170,7 +170,7 @@ "SSE.Controllers.Main.loadingDocumentTitleText": "文件加载中…", "SSE.Controllers.Main.mailMergeLoadFileText": "原始数据加载中…", "SSE.Controllers.Main.mailMergeLoadFileTitle": "原始数据加载中…", - "SSE.Controllers.Main.notcriticalErrorTitle": "警告中", + "SSE.Controllers.Main.notcriticalErrorTitle": "警告", "SSE.Controllers.Main.openErrorText": "打开文件时发生错误", "SSE.Controllers.Main.openTextText": "打开文件...", "SSE.Controllers.Main.openTitleText": "正在打开文件", @@ -259,7 +259,7 @@ "SSE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", "SSE.Controllers.Search.textNoTextFound": "文本没找到", "SSE.Controllers.Search.textReplaceAll": "全部替换", - "SSE.Controllers.Settings.notcriticalErrorTitle": "警告中", + "SSE.Controllers.Settings.notcriticalErrorTitle": "警告", "SSE.Controllers.Settings.warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
      您确定要继续吗?", "SSE.Controllers.Statusbar.errorLastSheet": "工作簿必须至少有一个可见的工作表", "SSE.Controllers.Statusbar.errorRemoveSheet": "不能删除工作表。", @@ -338,7 +338,7 @@ "SSE.Views.EditCell.textJustified": "正当", "SSE.Views.EditCell.textLeftBorder": "左边界", "SSE.Views.EditCell.textMedium": "中", - "SSE.Views.EditCell.textNoBorder": "没有边界", + "SSE.Views.EditCell.textNoBorder": "没有边框", "SSE.Views.EditCell.textNumber": "数", "SSE.Views.EditCell.textPercentage": "百分比", "SSE.Views.EditCell.textPound": "磅", @@ -453,7 +453,7 @@ "SSE.Views.EditText.textSize": "大小", "SSE.Views.EditText.textTextColor": "文字颜色", "SSE.Views.Search.textDone": "完成", - "SSE.Views.Search.textFind": "发现", + "SSE.Views.Search.textFind": "查找", "SSE.Views.Search.textFindAndReplace": "查找和替换", "SSE.Views.Search.textMatchCase": "相符", "SSE.Views.Search.textMatchCell": "匹配单元格", @@ -474,7 +474,7 @@ "SSE.Views.Settings.textDownloadAs": "下载为...", "SSE.Views.Settings.textEditDoc": "编辑文档", "SSE.Views.Settings.textEmail": "电子邮件", - "SSE.Views.Settings.textFind": "发现", + "SSE.Views.Settings.textFind": "查找", "SSE.Views.Settings.textFindAndReplace": "查找和替换", "SSE.Views.Settings.textHelp": "帮助", "SSE.Views.Settings.textLoading": "载入中……", diff --git a/apps/spreadsheeteditor/sdk_dev_scripts.js b/apps/spreadsheeteditor/sdk_dev_scripts.js index 5710cf5d2..cfeaccd05 100644 --- a/apps/spreadsheeteditor/sdk_dev_scripts.js +++ b/apps/spreadsheeteditor/sdk_dev_scripts.js @@ -86,6 +86,7 @@ var sdk_dev_scrpipts = [ "../../../../sdkjs/common/wordcopypaste.js", "../../../../sdkjs/common/easysax.js", "../../../../sdkjs/common/openxml.js", + "../../../../sdkjs/common/intervalTree.js", "../../../../sdkjs/cell/document/empty-workbook.js", "../../../../sdkjs/cell/model/UndoRedo.js", "../../../../sdkjs/cell/model/clipboard.js", diff --git a/build/spreadsheeteditor.json b/build/spreadsheeteditor.json index 0bfacbd07..946f5b901 100644 --- a/build/spreadsheeteditor.json +++ b/build/spreadsheeteditor.json @@ -345,6 +345,12 @@ "cwd": "../apps/spreadsheeteditor/mobile/locale/", "src": "*", "dest": "../deploy/web-apps/apps/spreadsheeteditor/mobile/locale/" + }, + { + "expand": true, + "cwd": "../apps/spreadsheeteditor/mobile/resources/l10n/functions", + "src": "*", + "dest": "../deploy/web-apps/apps/spreadsheeteditor/mobile/resources/l10n/functions" } ], "images-app": [