From 562b462fecbac894cfb0e9906313624410b0d43f Mon Sep 17 00:00:00 2001 From: Alexander Trofimov Date: Thu, 24 Oct 2019 11:24:46 +0300 Subject: [PATCH 01/51] Feature/rename (#255) * [info] Update Readme Add previos version name of repository * [info] Change date --- Readme.md | 54 +++++++++++++++++++++++++++++------------------------- 1 file changed, 29 insertions(+), 25 deletions(-) diff --git a/Readme.md b/Readme.md index 56395225d..747cb8437 100644 --- a/Readme.md +++ b/Readme.md @@ -1,25 +1,29 @@ -[![License](https://img.shields.io/badge/License-GNU%20AGPL%20V3-green.svg?style=flat)](https://www.gnu.org/licenses/agpl-3.0.en.html) - -## web-apps - -The frontend for [ONLYOFFICE Document Server][2]. Builds the program interface and allows the user create, edit, save and export text, spreadsheet and presentation documents using the common interface of a document editor. - -## Project Information - -Official website: [http://www.onlyoffice.org](http://onlyoffice.org "http://www.onlyoffice.org") - -Code repository: [https://github.com/ONLYOFFICE/web-apps](https://github.com/ONLYOFFICE/web-apps "https://github.com/ONLYOFFICE/web-apps") - -SaaS version: [http://www.onlyoffice.com](http://www.onlyoffice.com "http://www.onlyoffice.com") - -## User Feedback and Support - -If you have any problems with or questions about [ONLYOFFICE Document Server][2], please visit our official forum to find answers to your questions: [dev.onlyoffice.org][1] or you can ask and answer ONLYOFFICE development questions on [Stack Overflow][3]. - - [1]: http://dev.onlyoffice.org - [2]: https://github.com/ONLYOFFICE/DocumentServer - [3]: http://stackoverflow.com/questions/tagged/onlyoffice - -## License - -web-apps is released under an GNU AGPL v3.0 license. See the LICENSE file for more information. +[![License](https://img.shields.io/badge/License-GNU%20AGPL%20V3-green.svg?style=flat)](https://www.gnu.org/licenses/agpl-3.0.en.html) + +## web-apps + +The frontend for [ONLYOFFICE Document Server][2]. Builds the program interface and allows the user create, edit, save and export text, spreadsheet and presentation documents using the common interface of a document editor. + +## Previos versions + +Until 2019-10-23 the repository was called web-apps-pro + +## Project Information + +Official website: [http://www.onlyoffice.org](http://onlyoffice.org "http://www.onlyoffice.org") + +Code repository: [https://github.com/ONLYOFFICE/web-apps](https://github.com/ONLYOFFICE/web-apps "https://github.com/ONLYOFFICE/web-apps") + +SaaS version: [http://www.onlyoffice.com](http://www.onlyoffice.com "http://www.onlyoffice.com") + +## User Feedback and Support + +If you have any problems with or questions about [ONLYOFFICE Document Server][2], please visit our official forum to find answers to your questions: [dev.onlyoffice.org][1] or you can ask and answer ONLYOFFICE development questions on [Stack Overflow][3]. + + [1]: http://dev.onlyoffice.org + [2]: https://github.com/ONLYOFFICE/DocumentServer + [3]: http://stackoverflow.com/questions/tagged/onlyoffice + +## License + +web-apps is released under an GNU AGPL v3.0 license. See the LICENSE file for more information. From 840d81e59269b2485933942622f10cce8bff9218 Mon Sep 17 00:00:00 2001 From: Julia Radzhabova Date: Wed, 4 Mar 2020 15:00:00 +0300 Subject: [PATCH 02/51] [SSE] Bug 44748 --- .../main/app/view/CellSettings.js | 33 +++++++++++-------- 1 file changed, 19 insertions(+), 14 deletions(-) diff --git a/apps/spreadsheeteditor/main/app/view/CellSettings.js b/apps/spreadsheeteditor/main/app/view/CellSettings.js index d77aafa17..085281497 100644 --- a/apps/spreadsheeteditor/main/app/view/CellSettings.js +++ b/apps/spreadsheeteditor/main/app/view/CellSettings.js @@ -481,24 +481,29 @@ define([ } else if (this.pattern !== null) { if (this.pattern.asc_getType() === -1) { var color = this.pattern.asc_getFgColor(); - if (color.asc_getType() == Asc.c_oAscColor.COLOR_TYPE_SCHEME) { - this.CellColor = { + if (color) { + if (color.asc_getType() == Asc.c_oAscColor.COLOR_TYPE_SCHEME) { + this.CellColor = { + Value: 1, + Color: { + color: Common.Utils.ThemeColor.getHexColor(color.asc_getR(), color.asc_getG(), color.asc_getB()), + effectValue: color.asc_getValue() + } + }; + } else { + this.CellColor = { + Value: 1, + Color: Common.Utils.ThemeColor.getHexColor(color.asc_getR(), color.asc_getG(), color.asc_getB()) + }; + } + this.FGColor = { Value: 1, - Color: { - color: Common.Utils.ThemeColor.getHexColor(color.asc_getR(), color.asc_getG(), color.asc_getB()), - effectValue: color.asc_getValue() - } + Color: Common.Utils.ThemeColor.colorValue2EffectId(this.CellColor.Color) }; } else { - this.CellColor = { - Value: 1, - Color: Common.Utils.ThemeColor.getHexColor(color.asc_getR(), color.asc_getG(), color.asc_getB()) - }; + this.FGColor = this.CellColor = {Value: 1, Color: 'ffffff'}; } - this.FGColor = { - Value: 1, - Color: Common.Utils.ThemeColor.colorValue2EffectId(this.CellColor.Color) - }; + this.BGColor = {Value: 1, Color: 'ffffff'}; this.sldrGradient.setThumbs(2); this.GradColor.colors.length = 0; From 7623c035b478164fb2b1203f6683f01a06c31a2a Mon Sep 17 00:00:00 2001 From: Julia Radzhabova Date: Wed, 4 Mar 2020 15:15:45 +0300 Subject: [PATCH 03/51] [SSE] Fix default foreground color --- apps/spreadsheeteditor/main/app/view/CellSettings.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/spreadsheeteditor/main/app/view/CellSettings.js b/apps/spreadsheeteditor/main/app/view/CellSettings.js index 085281497..c8fe0b3a9 100644 --- a/apps/spreadsheeteditor/main/app/view/CellSettings.js +++ b/apps/spreadsheeteditor/main/app/view/CellSettings.js @@ -541,7 +541,7 @@ define([ }; } } else - this.FGColor = {Value: 1, Color: {color: '4f81bd', effectId: 24}}; + this.FGColor = {Value: 1, Color: {color: '000000', effectId: 24}}; color = this.pattern.asc_getBgColor(); if (color) { From 8c5cf7e9f914a6dbd1fec94cefee198898e48bea Mon Sep 17 00:00:00 2001 From: Maxim Kadushkin Date: Thu, 5 Mar 2020 13:09:53 +0300 Subject: [PATCH 04/51] [desktop] refactoring --- apps/api/documents/api.js | 2 -- apps/common/main/lib/controller/Desktop.js | 41 ++++++++++++---------- 2 files changed, 23 insertions(+), 20 deletions(-) diff --git a/apps/api/documents/api.js b/apps/api/documents/api.js index a030d3ba8..51242b9a2 100644 --- a/apps/api/documents/api.js +++ b/apps/api/documents/api.js @@ -384,8 +384,6 @@ if (!_config.editorConfig.customization) _config.editorConfig.customization = {}; _config.editorConfig.customization.about = false; _config.editorConfig.customization.compactHeader = false; - - if ( window.AscDesktopEditor ) window.AscDesktopEditor.execCommand('webapps:events', 'loading'); } } })(); diff --git a/apps/common/main/lib/controller/Desktop.js b/apps/common/main/lib/controller/Desktop.js index 62a7b9b7b..966660021 100644 --- a/apps/common/main/lib/controller/Desktop.js +++ b/apps/common/main/lib/controller/Desktop.js @@ -41,10 +41,16 @@ define([ ], function () { 'use strict'; + var native = window.AscDesktopEditor; + !!native && native.execCommand('webapps:features', JSON.stringify({ + version: '{{PRODUCT_VERSION}}', + eventloading: true, + titlebuttons: true + })); + var Desktop = function () { var config = {version:'{{PRODUCT_VERSION}}'}; - var app = window.AscDesktopEditor, - webapp = window.DE || window.PE || window.SSE; + var webapp = window.DE || window.PE || window.SSE; var titlebuttons; var btnsave_icons = { 'btn-save': 'save', @@ -52,7 +58,7 @@ define([ 'btn-synch': 'synch' }; - if ( !!app ) { + if ( !!native ) { window.on_native_message = function (cmd, param) { if (/^style:change/.test(cmd)) { var obj = JSON.parse(param); @@ -104,7 +110,7 @@ define([ } } - app.execCommand('editor:config', JSON.stringify(opts)); + native.execCommand('editor:config', JSON.stringify(opts)); } else if ( !config.callback_editorconfig ) { config.callback_editorconfig = function() { @@ -134,8 +140,7 @@ define([ } } - // app.execCommand('window:features', {version: config.version, action: 'request'}); - app.execCommand('webapps:features', {version: config.version, eventloading:true, titlebuttons:true}); + native.execCommand('webapps:features', JSON.stringify({version: config.version, eventloading:true, titlebuttons:true})); } var _serializeHeaderButton = function(action, config) { @@ -151,23 +156,23 @@ define([ titlebuttons[action].disabled = status; var _buttons = {}; _buttons[action] = status; - app.execCommand('title:button', JSON.stringify({disabled: _buttons})); + native.execCommand('title:button', JSON.stringify({disabled: _buttons})); }; var _onSaveIconChanged = function (e, opts) { - app.execCommand('title:button', JSON.stringify({'icon:changed': {'save': btnsave_icons[opts.next]}})); + native.execCommand('title:button', JSON.stringify({'icon:changed': {'save': btnsave_icons[opts.next]}})); }; var _onModalDialog = function (status) { if ( status == 'open' ) { - app.execCommand('title:button', JSON.stringify({disabled: {'all':true}})); + native.execCommand('title:button', JSON.stringify({disabled: {'all':true}})); } else { var _buttons = {}; for (var i in titlebuttons) { _buttons[i] = titlebuttons[i].disabled; } - app.execCommand('title:button', JSON.stringify({'disabled': _buttons})); + native.execCommand('title:button', JSON.stringify({'disabled': _buttons})); } }; @@ -178,13 +183,13 @@ define([ if ( config.isDesktopApp ) { Common.NotificationCenter.on('app:ready', function (opts) { _.extend(config, opts); - !!app && app.execCommand('doc:onready', ''); + !!native && native.execCommand('doc:onready', ''); $('.toolbar').addClass('editor-native-color'); }); Common.NotificationCenter.on('action:undocking', function (opts) { - app.execCommand('editor:event', JSON.stringify({action:'undocking', state: opts == 'dock' ? 'dock' : 'undock'})); + native.execCommand('editor:event', JSON.stringify({action:'undocking', state: opts == 'dock' ? 'dock' : 'undock'})); }); Common.NotificationCenter.on('app:face', function (mode) { @@ -233,19 +238,19 @@ define([ } }, process: function (opts) { - if ( config.isDesktopApp && !!app ) { + if ( config.isDesktopApp && !!native ) { if ( opts == 'goback' ) { - app.execCommand('go:folder', + native.execCommand('go:folder', config.isOffline ? 'offline' : config.customization.goback.url); return true; } else if ( opts == 'preloader:hide' ) { - app.execCommand('editor:onready', ''); + native.execCommand('editor:onready', ''); return true; } else if ( opts == 'create:new' ) { if (config.createUrl == 'desktop://create.new') { - app.LocalFileCreate(!!window.SSE ? 2 : !!window.PE ? 1 : 0); + native.LocalFileCreate(!!window.SSE ? 2 : !!window.PE ? 1 : 0); return true; } } @@ -254,8 +259,8 @@ define([ return false; }, requestClose: function () { - if ( config.isDesktopApp && !!app ) { - app.execCommand('editor:event', JSON.stringify({action:'close', url: config.customization.goback.url})); + if ( config.isDesktopApp && !!native ) { + native.execCommand('editor:event', JSON.stringify({action:'close', url: config.customization.goback.url})); } } }; From cb4576cd8d76d4155b27df67c651fc12589cbf33 Mon Sep 17 00:00:00 2001 From: Julia Radzhabova Date: Thu, 5 Mar 2020 14:38:25 +0300 Subject: [PATCH 05/51] [Desktop] Call asc_onShowPopupWindow on window show --- apps/documenteditor/main/app/view/DocumentHolder.js | 2 ++ apps/presentationeditor/main/app/view/DocumentHolder.js | 1 + apps/spreadsheeteditor/main/app/controller/DocumentHolder.js | 1 + 3 files changed, 4 insertions(+) diff --git a/apps/documenteditor/main/app/view/DocumentHolder.js b/apps/documenteditor/main/app/view/DocumentHolder.js index 5d531aa6e..7f91d40da 100644 --- a/apps/documenteditor/main/app/view/DocumentHolder.js +++ b/apps/documenteditor/main/app/view/DocumentHolder.js @@ -417,6 +417,8 @@ define([ /** coauthoring begin **/ userTipHide(); /** coauthoring end **/ + me.mode && me.mode.isDesktopApp && me.api && me.api.asc_onShowPopupWindow(); + }, 'modal:show': function(e){ me.hideTips(); diff --git a/apps/presentationeditor/main/app/view/DocumentHolder.js b/apps/presentationeditor/main/app/view/DocumentHolder.js index 7da761ce6..cd7581c99 100644 --- a/apps/presentationeditor/main/app/view/DocumentHolder.js +++ b/apps/presentationeditor/main/app/view/DocumentHolder.js @@ -418,6 +418,7 @@ define([ /** coauthoring begin **/ userTipHide(); /** coauthoring end **/ + me.mode && me.mode.isDesktopApp && me.api && me.api.asc_onShowPopupWindow(); }, 'modal:show': function(e){ me.hideTips(); diff --git a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js index c62edcc75..c8f244f0c 100644 --- a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js +++ b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js @@ -150,6 +150,7 @@ define([ Common.NotificationCenter.on({ 'window:show': function(e){ me.hideHyperlinkTip(); + me.permissions && me.permissions.isDesktopApp && me.api && me.api.asc_onShowPopupWindow(); }, 'modal:show': function(e){ me.hideCoAuthTips(); From bddbaa3a653dad2ab8b2cf25046ebf7c799072b7 Mon Sep 17 00:00:00 2001 From: svetlana maleeva Date: Tue, 10 Mar 2020 15:02:41 +0300 Subject: [PATCH 06/51] Help corrections --- .../help/en/UsageInstructions/AddCaption.htm | 5 ++--- .../main/resources/help/en/search/indexes.js | 4 ++-- .../help/ru/UsageInstructions/AddCaption.htm | 3 +-- .../help/ru/images/updatefromseleciton.png | Bin 5693 -> 4077 bytes .../main/resources/help/ru/search/indexes.js | 4 ++-- .../help/en/ProgramInterface/PluginsTab.htm | 4 ++-- .../UsageInstructions/SetSlideParameters.htm | 4 ++-- .../main/resources/help/en/search/indexes.js | 4 ++-- .../help/ru/ProgramInterface/PluginsTab.htm | 4 ++-- .../UsageInstructions/SetSlideParameters.htm | 4 ++-- .../main/resources/help/ru/search/indexes.js | 6 +++--- .../main/resources/help/en/search/indexes.js | 2 +- .../main/resources/help/ru/search/indexes.js | 2 +- 13 files changed, 22 insertions(+), 24 deletions(-) diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/AddCaption.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddCaption.htm index 0b55dabd1..f14f9ce55 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/AddCaption.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddCaption.htm @@ -23,12 +23,11 @@
  • click the Rich text content control Caption icon at the top toolbar or right lick o nthe object and select the Insert Caption option to open the Insert Caption dialogue box
      -
    • choose the label to use for your caption by clicking the label drop-down and choosing the object; -

      or

    • +
    • choose the label to use for your caption by clicking the label drop-down and choosing the object. or
    • create a new label by clicking the Add label button to open the Add label dialogue box. Enter a name for the label into the label text box. Then click the OK button to add a new label into the label list;
  • check the Include chapter number checkbox to change the numbering for your caption;
  • -
  • in insert drop-down menu choose Before to place the label above the object or After to place it below the object;
  • +
  • in Insert drop-down menu choose Before to place the label above the object or After to place it below the object;
  • check the Exclude label from caption checkbox to leave only a number for this particular caption in accordance with a sequence number;
  • you can then choose how to number your caption by assigning a specific style to the caption and adding a separator;
  • to apply the caption click the OK button.
  • diff --git a/apps/documenteditor/main/resources/help/en/search/indexes.js b/apps/documenteditor/main/resources/help/en/search/indexes.js index 288db316e..aad48f3bb 100644 --- a/apps/documenteditor/main/resources/help/en/search/indexes.js +++ b/apps/documenteditor/main/resources/help/en/search/indexes.js @@ -8,7 +8,7 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Advanced Settings of Document Editor", - "body": "Document Editor lets you change its 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 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 passages will be highlighted 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 in the document text. 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 in the document text. Spell Checking is used to turn on/off the spell checking option. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the page precisely. Compatibility is used to make the files compatible with older MS Word versions when saved as DOCX. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover documents in case of the unexpected program closing. 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. Real-time Collaboration Changes is used to specify what changes you want to be highlighted during co-editing: Selecting the View None option, changes made during the current session will not be highlighted. Selecting the View All option, all the changes made during the current session will be highlighted. Selecting the View Last option, only the changes made since you last time clicked the Save icon will be highlighted. This option is only available when the Strict co-editing mode is selected. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. You can also choose the Fit to Page or Fit to Width option. Font Hinting is used to select the type a font is displayed in Document 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 on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. To save the changes you made, click the Apply button." + "body": "Document Editor lets you change its 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 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 passages will be highlighted 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 in the document text. 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 in the document text. Spell Checking is used to turn on/off the spell checking option. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the page precisely. Compatibility is used to make the files compatible with older MS Word versions when saved as DOCX. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover documents in case of the unexpected program closing. 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. Real-time Collaboration Changes is used to specify what changes you want to be highlighted during co-editing: Selecting the View None option, changes made during the current session will not be highlighted. Selecting the View All option, all the changes made during the current session will be highlighted. Selecting the View Last option, only the changes made since you last time clicked the Save icon will be highlighted. This option is only available when the Strict co-editing mode is selected. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. You can also choose the Fit to Page or Fit to Width option. Font Hinting is used to select the type a font is displayed in Document 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. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when an issue in the Google Chrome browser with the enabled hardware acceleration occurs. Document Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. Unit of Measurement is used to specify what units are used on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", @@ -98,7 +98,7 @@ var indexes = { "id": "UsageInstructions/AddCaption.htm", "title": "Add caption", - "body": "The Caption is a numbered label that you can apply to objects, such as equations, tables, figures and images within your documents. This makes it easy to reference within your text as there is an easily recognizable label on your object. To add the caption to an object: select the object which one to apply a caption; switch to the References tab of the top toolbar; click the Caption icon at the top toolbar or right lick o nthe object and select the Insert Caption option to open the Insert Caption dialogue box choose the label to use for your caption by clicking the label drop-down and choosing the object; or create a new label by clicking the Add label button to open the Add label dialogue box. Enter a name for the label into the label text box. Then click the OK button to add a new label into the label list; check the Include chapter number checkbox to change the numbering for your caption; in insert drop-down menu choose Before to place the label above the object or After to place it below the object; check the Exclude label from caption checkbox to leave only a number for this particular caption in accordance with a sequence number; you can then choose how to number your caption by assigning a specific style to the caption and adding a separator; to apply the caption click the OK button. Deleting a label To delete a label you have created, choose the label from the label list within the caption dialogue box then click the Delete label button. The label you created will be immediately deleted. Note:You may delete labels you have created but you cannot delete the default labels. Formatting captions As soon as you add a caption, a new style for captions is automatically added to the styles section. In order to change the style for all captions throughout the document, you should follow these steps: select the text a new Caption style will be copied from; search for the Caption style (highlighted in blue by default) in the styles gallery which you may find on Home tab of the top toolbar; right click on it and choose the Update from selection option. Grouping captions up If you want to be able to move the object and the caption as one unit, you need to group the object and the caption together select the object; select one of the Wrapping styles using the right sidebar; add the caption as it is mentioned above; hold down Shift and select the items you want to group up; right click on either item and choose Arrange > Group. Now both items will move simultaneously if you drag them somewhere else in the document. To unbind the objects click on Arrange > Ungroup respectively." + "body": "The Caption is a numbered label that you can apply to objects, such as equations, tables, figures and images within your documents. This makes it easy to reference within your text as there is an easily recognizable label on your object. To add the caption to an object: select the object which one to apply a caption; switch to the References tab of the top toolbar; click the Caption icon at the top toolbar or right lick o nthe object and select the Insert Caption option to open the Insert Caption dialogue box choose the label to use for your caption by clicking the label drop-down and choosing the object. or create a new label by clicking the Add label button to open the Add label dialogue box. Enter a name for the label into the label text box. Then click the OK button to add a new label into the label list; check the Include chapter number checkbox to change the numbering for your caption; in Insert drop-down menu choose Before to place the label above the object or After to place it below the object; check the Exclude label from caption checkbox to leave only a number for this particular caption in accordance with a sequence number; you can then choose how to number your caption by assigning a specific style to the caption and adding a separator; to apply the caption click the OK button. Deleting a label To delete a label you have created, choose the label from the label list within the caption dialogue box then click the Delete label button. The label you created will be immediately deleted. Note:You may delete labels you have created but you cannot delete the default labels. Formatting captions As soon as you add a caption, a new style for captions is automatically added to the styles section. In order to change the style for all captions throughout the document, you should follow these steps: select the text a new Caption style will be copied from; search for the Caption style (highlighted in blue by default) in the styles gallery which you may find on Home tab of the top toolbar; right click on it and choose the Update from selection option. Grouping captions up If you want to be able to move the object and the caption as one unit, you need to group the object and the caption together select the object; select one of the Wrapping styles using the right sidebar; add the caption as it is mentioned above; hold down Shift and select the items you want to group up; right click on either item and choose Arrange > Group. Now both items will move simultaneously if you drag them somewhere else in the document. To unbind the objects click on Arrange > Ungroup respectively." }, { "id": "UsageInstructions/AddFormulasInTables.htm", diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddCaption.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddCaption.htm index 01575de2c..5fae41411 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddCaption.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddCaption.htm @@ -23,8 +23,7 @@
  • щелкните на иконку Rich text content control Название на верхней панели инструментов или щелкнув правой кнопкой по объекту, выберите функцию Вставить название. Откроется диалоговое окно Вставить название
      -
    • выберите подпись для названия, щелкнув раскрывающийся список и выбрав один из предложенных вариантов; -

      или

    • +
    • выберите подпись для названия, щелкнув на раскрывающийся список и выбрав один из предложенных вариантов, или
    • создайте новую подпись, нажав кнопку Добавить. В диалоговом окне введите новую подпись в текстовое поле. Затем нажмите кнопку ОК, чтобы добавить новую Подпись в список подписей;
  • в выпадающем списке Вставить выберите Перед, чтобы разместить название над объектом, или После, чтобы разместить его под объектом;
  • diff --git a/apps/documenteditor/main/resources/help/ru/images/updatefromseleciton.png b/apps/documenteditor/main/resources/help/ru/images/updatefromseleciton.png index 32424d894ae9292a563b0e30c46c697249ffadbf..c076ed2685f90348bfe2b5872ca121f9519530da 100644 GIT binary patch literal 4077 zcmY*cc{~&T|3@kJF_9Vy<;WH0__#7`h9*OjGe<1<9Ge>e7|4s*X!~A=kU;sXauep-`&MO8?BoA~C}5p5g2;452bTAIgJq#!6$ zq@a)gc6`frG`@vj-lFbGq8!q~qgFxj&rf zX5ooK;&CMAZ8G2ERWZL4_d0a0rVmS3XIw+#nONq>N z2~Pfzd_xQfG>ZffOAU8=rE{~dyF}0bTwMhK0Dgpn#h+EJic(TgtsCJqkj+V9VPTBe z!{t7?Y9o3gPy;X0uh^%ms#-+pS9*W6`H?qQE07~JUCEi?&<6wpw@^f^+E8+a+0Oj@ zyv4#8tSl`jCrL*h9Dq~x9K5TOBqplnH9~2c<@uNsw*F4Rz7a-e6Ujv(b6dN{4ch|$N!^#y z2v1^?8`im@eN{hDK*gK09FcX$Df!Xr;>Vt)4S(w7+z?_X!J|@_L>d`7Pu4-rbsin; zTp_GO%`t$44tq2w0iF)sR%?bj1LAQ0B(f&P9&@iDsbrSRQX zo;k9Lid7XAA{u@oisDL0iE85B!HPJ@EIFshGaLnXLwnEF*2eYsTTl&M)S7iHBfTEX zARHjjhqm<#u*p}dQ7Vd|OOazIi<6CpAnB3~K@eFX%c=PwfYLk6gz3VDhi?gAX*oGQ zM5EE4^+G~Jscb?G+XA13)wPime=A|lGUPAlJ)*u4HymUwe$I6+luokdxiMH+*N~(0i2?^!{*9UQ71IosjS5)RyIdY1!Gv=mNM9+}h9(yi=Yl zmyInQGv3FRm6c^}JGKV7?EeF~z^4g6oxlxLN3ze2z4j-_9`vS3|5$}_5U%UDT>yeHsLyj9KN9eOeen}{om`?LPIsGcIxyRDGKx)_QfoPSVeC23q zoUhEB2+62$*B8jA=IJT=l$)sF8@-r1RYxSFZ)lz=DlFs@(d4_wNJIAF+?OvG5*91& z)?vW!8GI}@$6X7HVleIzZFePjHoU2ed=K@5a83jjTHeaCGbMo~4MMQ2YXBmq@4G@BJhku3Nov z3i-}DpvZx;c5d(*-TUI4Y;nytPuzpMJC9e7`mGD-f4c80uMYLwlUU1pu5{YoH=unq z5BaH0g{^p|Ja%T=LK-6y{B|6|zJ54jb*opo^vxTuBkGoBuArb`z6j7+WHOAKm`1F$ zb^l=%M0fj?^O-QqYojk_djLY8T(S&e?nqA*RH*bFjMnpTG4Ts+_n%|}rHzRi<>Nzx zgs(PiC|qN%O|w~FIT+QE=+5g`Y~^abnP+2fFLwu35tp3Yy()iV0Sf!&^NB@YXS+u- z>u@PIGJ@eonaC6Re#iRbQ)de)ts4Z+!g)6)Y<1gq{6#nNZbpoOKn%*qBrP@dMYjL| z2;@|K`>4CKv!|C{(=GM{_chMR0aVt5ALssSR(o46_&;?X6zAb=v@^v2rvo4@UGU@3 zKu4>IhQOaTEfSVmF;Y{e&V0WcMcH+dPf?2mSXD_WxhghYG4Fy!*|Swx+9WGzB_6iI zg2ne*3-=L;x^M_=iNqDK-)&v;GA(WR=I`f#Zguv~1i)bY+^D2hjEAA2VQ6Tmi;D{w z+`&^oIX7y?P@+&MI2`Uz7tX;O9D7?hI*NvaA(GhVnbzre6JrabG<-|62f{>Fz$&@u zUwkT$0NFi$$O!Z*R!V>&N?>o^G)jv@swnR%gQRaA%m-5*?v390LT`5BKyPoya3}0# zsO|+sFG*i9pK`JY>CI!JDdCyanQu6^sqIXn zy@lf9H6f?>+MRjPEct=;Ms1hTaoTu`^`F=0Ay!(My@vO3V#=SflrU!{taD`AHFY!g z0T_&0;Cdyv{&UX6=iKU1G%JtoG|~9-NadBk#3LEC%t=sG|<3@Lmq6P1-+5=Fv7Ec4K+Cn-pSxw~E6-_oc17j8wCse2d>>AI ztETPq8eVoRECd~n9btFW#%grc5+DH~oeZ8~4M$A4wg!3M590zX)<;fHLpOyBKXTcM zP!L?OxX_6w8DE*?KX!!UgvCRjo8{;y*ljBJBou3b2VK;YHs$tV5&V+QMn(twDlm1vFeKPt90risS)OEj`he_W$j)COP4Ywc#0PNgTNl^h=164hqt12gr&v7#w^zFS{<%3U_ z=;;J0V!Dg=hh#S!hMUf|S7YWNRxJ&FT>4i3zQEmYPYHxIBLr}ElI~vtOd`1t9|wq3 zKDJ71B%8k_UG^0Zz+*L8z8j-3B#c-k69~7t;r)a=8$jtKtHjUGyW2*$?O1ywYmg78 zOTmaR9_a979L}QyX1wHG;?K*2Jvca+sDr{iT`&?Yzn+(fqQ&>OxicC+`r*qyJWDRl zD&;NpAK`jdj7gxCTG`sla4K%kMMssc$Y&CebJf?~3yR&I=pfY1dlasZ4_#ALwIX5k zx1dBO4bwZqcACh(X3TmxWsM6(NO}k&US+LeKD=-viB6CahB?9e;0CoL^`XGNa0_1}@v#)+*x zkUfXhQloO-(A=6l4A4Sqy=IPBn7Kb53qbV_IF2a&pe^r*8`b3&$kO*eMP3#Ef7JNH z62$M7iNO+Cya_|Z$1=7l*?6R7rV#cKghj9&xh=?U?QBqY(k=mxyy8Babd^Kg}!?pqVsN>_Wusw@oOIMmU)A)?JePr*%mJKDCLjUyEx z>T=s9I*uQa_XSUxZ^nLOVl{f_&i(7m^@V|bh0Eqo(XKhx0-#Dc5sa2dlC}P4t4YDA z;&5pL-u%$w6M_VIwLn7&n;%gpbjtHDgVQ0XZuf-aoGylN&dj~y&Oy9?o(wkIiI366mtnl03xwX=CE zZ36k{2|BA9)v$mhFmudb{!}h>lxFUyqxZWtP1Rz2Ih{>oCml$d;&MlK9#4#;F#_7=?@x5PtZZOZnqNLk7+k~v)uqiS)kl@CfZ!vn--ccFM88$tKP%BM&6H{ja&z= z{@v-!H3rQzIz}u@X|@)^H^<9?7o+8`0}qEK(RH@S(?p=o=~e@($myaTE4A{83P3o~Et$Dj;kBR4|86=M8hM+7miikcJtNh`Ab(>+7<4j|@Ub$|u)Oe*a zFi!U1HG_zavaCwaQnuGfqKIv8-$x2YTw%1}7emV+aj5-ncZ6Yo>&bjTac!+O!oBN~ z`~7d9v^fYiR@53E4*C4~=aYC@jxZ7`On;Hv?>2O2z{zPwXObux6+LJ-xXa|c<2>mC z`KJ}_d~w~Mez9_ZObso(4YKM*ZLSR01W)dERWEQG${%X^`C#72`5w#qY>X#X)WA&Q zWOiEa@pRb6%NeW=WqhUEji9$k2s)nTA$(KO5Io>4+H$4GsHMf$mI16U(^{-9cE-V- zUch=qt+l^4)mZg{dL&G-NeJ;3$*ldt6k z!@U2DDmJ^$mLRi(3Hyhaaha}H!OjQlb}ketP_jw;fgGvOK`l0{O{8aPWo8ak3i3S#mo;O~m=V(jWj` z?kZQVQ}wM;&Pss+3X*Bv4K>);8oZ64P1uS23M+$ z0#WqPWcretgwULbgT-!@%vCHarZ4}5Zr6T4wQ`#G*1Yl4$+$DcLny$#suxk;WGcSx zb;gJ5nm1vaR5%Iy3<(HnzyB6l@-_>1ww9OXH1Tcy%UH|uXFeR^-&5DeN(bQ)WGj^o zBVWd}6wIM#ph?_JS8%ZTj(};i#)#~p2JKp*N;D3wE|kI|=ifIhxlkEeco8pu{<;bc z`@6%4%8_G~bW5J^3_!;F@{FA&tPI*>1u-L93YU7-?K^;HPoIuD^t5`d4J1DUHU=5# zc1ya?cR&OaFHaV_Aby%sE6KoRhx$?t_+RTDZd$c0?xtmtcCqX4!w1VTmJ_;i_}%TI z8F~F9DO^PlBW@(vncXl4tv8?7U?QK{u6k}cs*B3;gWPJ}oHK6_a+!w#S)lKADt~dr zXt~QtP+bA!6PB8~YGCTD@e*P{WWFs=PEW6)L z!~4m(rqjT!6K~LTAIanulglSSC4ZXV=)PdFF;PJu|4gmquoqKhy0X*0o9cyLvY&N#_Y=E;vp?PZ*H6sqJDW!5XQzty( z3JTiFh+pAJb^5(p7}(pzVq*AsvRtsVxts^@q@Tn3 z7s@e{kYqBM^6{@>nk`lJS0vvgy?|+sdAN{a?Q1dnq0v)9x%VG$&#tuZ!p3YO(h+Z5&;u zC*9$Jw1W$AeM!e8HYHdd?0C7cz|~tl2*34Mozu(24+qB;)p>QW#Ph%UNekCcpH-Sn zL~nf8nlK7|Bts*#m7GtA9iWd8S$T7NYdnP8M(qrbU#-0_o`3`9oQ|ihU*YCf%U1ytPk;$Bd9?wHm#iR@LnWqhEfrsIh^Ns4lM)kxZ4|;HV4->;X z(rIrE(zhG(Vz_;xmt(s(rKW$XQ`!5c#$K4m+s?(6VmE8L;)3}emoc#hU+nu2dE!Gz zSQ0{Rk!{m{ ztvI=^*WfoZ|Kys&K_T=e({iIExyh{X@s7$19ytN zz}MUSmdIe?yS0?#{o0(+jy{`wi!~*)8*BbThi^&sDe{dC!u_7EI6~1S*{W;EqvXC> z%SIeJyb%6`TZ&{&B@^nOV4r9b$PVlCD5c;V=d|D!C6U`n{J)W zwBNJtXzE8t$9m0)=b4%-96vIM_^&_AbF!$OR9 z-Q&gk$trAZur>P5z;$tGZr~B(aZ?#Hm0&=mo&-FNk6&B}c51Ue(^LTqdT!yjLd%@c zvG0s7in>P%=HSO33<{;0y0xlgO1cYLLeGi=5Bhm{&4}^nVs(8Fv#{?4{C5NJ8^vK# zrVub9xTuI@>`d=yb5hHo(ukeV6dN(|TtY&?(1>MxU~5+6~Uvn%++>^v7=itR7S)F)Rr5fjKyImzrFRfY*#YRXM{h6y0+B+B?$SQ%&c!jQgJg3NIXFamB-i$Ln~w?{D`{~1f_G>8ij=vu z5O~qR*0Fn#6iAE8-lJ-OO z!_x7qEnWm=LHUSG3dxR4J4Ky{J&4@_{?ePzuzFk|V=63WJ75~r+uZ}T-^v=6hX3o+ zHawchGrlC6C3ZnyA`oL~rns}y++Ch*w$dEm%zF=MtWNND4wynMech#J|XR9~L=^Q5-Z zZ0sO{@20#o_k1-21`#?TX=ZLDoto=U1h)4<{|>9w4AhGGs&U-g&{ky9AC3ntcs38T z9Src{r>ft!n$4n(W%qKVLh*`Iligs;GdFxAG+(xw%39hwfO-}+qJfE|qn>pF8~6e| zIbFt@B(e*}8tHq`zVUhnuuNc%s_3w}eQVXAAQxVi#C0X4-t(OvN4dLr5T1 zz_etaIH0qxNqBa>o|WluXJVw*u`A!OYM3`KqiDV2lUjF)E>ID(%WB`SCMWPxSJA|| z#x()8$ROd8PX73L*=c5TT23)f?&ao(b4mtLWl1Z}+!PW#%HD$${-Z?jh%scBdyY)7 z<;7rW@U%DjJbaU#e}h@n5nV)mshT&+Jz%HXT=&C1U1QNKUIc-E8ZC?Cx+L_$vRTzI zybr{3+K9UERrcj$WG~f<_7#C&1LG8Z6N)v?zpJMS`cupdH2>Nndk4}!aoKUV6Egh6 z?|b)7YC1E(`zhU4cNC4!alY3&WRb~_67YwusnAG!Q@eS9OCUs(BCT@nJ|Jx5O=QYX zA4G=ugYaH)4bt&2W~~eghKFl8?{j-2i@sSx-r5gzcXm|;v6Hh%cyCQNl&;!}+Pn}w z^yKWGCD!WGB(p0T{U7FX4gSc zfalN9I{=xIn<8TBw!P1i4*r~a3)7(YNo}-*K?4tSViErJW_4VHx#7OLC(29UA<@b6 zIOo!UYAazNC(!Q3r zF~igNKm^J*fq%4Encf$6M~lQSH|W^-a=y}7?D95Eb&7jMDmrv89}Hg@ zzM^%Ww_N>PJY2RH#r9Tk_Wxy|j_{jm-eyUh_ZKmk==V~A?47g#>ER-zIFNX^#rkny zGF>*abO3!_MuYJ2qQ#>C`Do-rx?VT?B?9cKcVFti##p2aTPs<2K`*a7T~)mjJI%n^ z12JtU|EXlb*=E44c@#MNpy&UoTBRSbXuhNV&AvFlM8N*ZyeSz?5DyO=QFRN(rO76+((a>;TyWcE*c9(g=Lr_CK zpT)?uI+1e2#_wtL{nVE~k{(X3FolnN)SXBdUMEDAJD==8PY;oy;DXO z=dzW#N?c8ld;3f(Nq00Ol|&~dz-$h1v5FI1k`|q*%!^MbdYFlx-lQvH#VITLI=6i$%R@9~h7D2>VYy!6sEEQ@doop220qyq(`#P}{d z|Dgw7&J)*1ohnR2cnL*L+wx}$K4ZGo;jB{E!QM=GE(`{&>o4Ckl3)Icu4Jw~d-?6> zz=!UE^si$YTWXO_1q}wN2}Z@~F(r5zr2j=g z{%@8CAr~$dQ&?L*E~@@yo&jh+kbaOW)990ZM7XdzQ^O(M$mO1n9FVvc>DE!;ds68x z`aZ~7o(zN0194-14{*&Nd<^%|#8{>(7@PNzMQx9uPzwUCMpV%a=i!qLF96FxytJQy zz~uMy{hSwhix2sRv{>5hOJI@06d)`Ok8%4W#%>^qb2R>K{ofE)wu*}4x{G3V2NZ;M zxIiEqvK(b%cyoSm?@-zi%_;ZFYylPo8ZXnCIYWG;NKyjhm(qlVUS3h0l2=h7;~S}EU%xiO>M)$B5@i~S%g)pPUw8E|3DVrPuj z(5%4m&*n2=38$;!_DmDD^-bK9C%-RW%tcYgHgNsRTSFbDnVUN|TN7`GN7C2zMAJLV zq(48!t-8)Ms-^N9>zc95{~8jv;(qjy+$3B6#{9Sa){JLDw@~&L_Qo4yHI@pUg1Nua zJ)FkN3WBU@DDs%H_Wl?iP%%kq&yqGqg}83NzH>`-ixuYJiAb+RB}r3OTXw-pkcCU4 zB1iM~HXW;(&PVB@qIfw!IP}j%McT0zpq}{^yT*%Yz;jJb2YA@$)lm#Ti{lUbBfIDS zOoCJ%;egeHGg>k?v0VZMh)%O2f4Y1h+vcEaM;}5Qk&#=!PDRW&mEWW$L~Bohe*3(|DqF%e^K+vUmxSa5=oYktR$s@SV1BQ?-Xu{ zF*J`CY013b;b)fd9S?zvgzOSp|AfDGo*llvn0wN}*CFba{4&EH|4F%F{oQbHS+T@4 zSiTk{PN<5;a)4dIr@7wbyBjl#eP(U$uSzuCy2u(rEowL8Ja^Yxf$fJkWq4BTliN8v zP)@*eL4lo740wRy{Vu_+T%vSkF3ko<|2zF}jmsAi-wA%3oCkr*YcC0yx9L$aA)m48 zK^h!TsS#xKZ7W{co=Vq-4JJ)a=U-n#jm@>S*&-q$+V9k&670Znz>K9e?I<^nZ+hj_ g*WBnbohN6(dN2XB3vGNS!SW?iQ_)neR Сгруппировать. Теперь если вы захотите перетащить объекты в другое место документа, они будут перемещаться одновременно. Чтобы отменить привязку объектов, в контекстном меню выберите пункт Порядок, а затем Разгруппировать." + "body": "Название - это пронумерованная метка, которую можно применять к объектам, таким как уравнения, таблицы, фигуры и изображения. Данная функция позволяет легко ссылаться на какой-либо объект в вашем тексте, так как на на нем есть легко узнаваемая подпись. Чтобы добавить Название к объекту, выполните следующие действия: выберите объект, к которому нужно добавить название; перейдите на вкладку Ссылки верхней панели инструментов; щелкните на иконку Название на верхней панели инструментов или щелкнув правой кнопкой по объекту, выберите функцию Вставить название. Откроется диалоговое окно Вставить название выберите подпись для названия, щелкнув на раскрывающийся список и выбрав один из предложенных вариантов, или создайте новую подпись, нажав кнопку Добавить. В диалоговом окне введите новую подпись в текстовое поле. Затем нажмите кнопку ОК, чтобы добавить новую Подпись в список подписей; в выпадающем списке Вставить выберите Перед, чтобы разместить название над объектом, или После, чтобы разместить его под объектом; установите флажок напротив Исключить подпись из названия, чтобы оставить только номер для этой конкретной подписи в соответствии с порядковым номером; установите флажок напротив опции Включить номер главы, чтобы добавить выбранный тип нумерации объектов к названию; настройте нумерацию подписи, добавив к ней определенный стиль и разделитель; чтобы применить название, нажмите кнопку ОК. Удаление подписи Чтобы удалить созданную вами подпись, выберите подпись из списка, затем нажмите кнопку Удалить. Данная подпись будет немедленно удалена. Примечание: вы не можете удалить созданные по умолчанию подписи. Форматирование названий Как только вы добавляете название, в раздел стилей автоматически добавляется новый стиль для подписей. Чтобы изменить стиль для всех названий в документе, выполните следующие действия: выделите текст из которого будет скопирован новый стиль для названий; найдите стиль Название (по умолчанию выделен синим цветом) в галерее стилей, которую вы можете найти на вкладке Главная верхней панели инструментов; щелкните по нему правой кнопкой мыши и выберите пункт Обновить из выделенного фрагмента. Объединение названий в группы Если вы хотите иметь возможность перемещать объект и подпись как одно целое, вам нужно сгруппировать объект и подпись вместе. Для этого выберите объект; выберите один из Стилей обтекания, используя правую боковую панель; добавьте подпись, как указано выше; зажмите Shift и выберите элементы, которые вы хотите сгруппировать; щелкните правой кнопкой мыши любой элемент и выберите Порядок > Сгруппировать. Теперь если вы захотите перетащить объекты в другое место документа, они будут перемещаться одновременно. Чтобы отменить привязку объектов, в контекстном меню выберите пункт Порядок, а затем Разгруппировать." }, { "id": "UsageInstructions/AddFormulasInTables.htm", diff --git a/apps/presentationeditor/main/resources/help/en/ProgramInterface/PluginsTab.htm b/apps/presentationeditor/main/resources/help/en/ProgramInterface/PluginsTab.htm index dbc30b534..665e8109a 100644 --- a/apps/presentationeditor/main/resources/help/en/ProgramInterface/PluginsTab.htm +++ b/apps/presentationeditor/main/resources/help/en/ProgramInterface/PluginsTab.htm @@ -28,8 +28,8 @@

    Currently, the following plugins are available:

    • Send allows to send the presentation via email using the default desktop mail client (available in the desktop version only),
    • -
    • Audio allows to insert audio records stored on the hard disk drive into your presentation (available in the desktop version only),
    • -
    • Video allows to insert video records stored on the hard disk drive into your presentation (available in the desktop version only), +
    • Audio allows to insert audio records stored on the hard disk drive into your presentation (available in the desktop version only, not available for Mac OS),
    • +
    • Video allows to insert video records stored on the hard disk drive into your presentation (available in the desktop version only, not available for Mac OS),

      Note: to be able to playback video, you'll need to install codecs, for example, K-Lite.

      diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/SetSlideParameters.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/SetSlideParameters.htm index f742f191d..e21322409 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/SetSlideParameters.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/SetSlideParameters.htm @@ -89,11 +89,11 @@
    • click the Change slide layout Change slide layout icon icon and select a layout you want to add an object to,
    • using the Insert tab of the top toolbar, add the necessary object to the slide (image, table, chart, shape), then right-click on this object and select Add to Layout option, -
      Add to layout +
      Add to layout
    • at the Home tab click Change slide layout Change slide layout icon and apply the changed layout. -

      Apply layout

      +

      Apply layout

      Selected objects will be added to the current theme's layout.

      Note: objects placed on a slide this way cannot be selected, resized, or moved.

    • diff --git a/apps/presentationeditor/main/resources/help/en/search/indexes.js b/apps/presentationeditor/main/resources/help/en/search/indexes.js index d91a9ec65..56a7c8d38 100644 --- a/apps/presentationeditor/main/resources/help/en/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/en/search/indexes.js @@ -8,7 +8,7 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Advanced Settings of Presentation Editor", - "body": "Presentation Editor lets you change its 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 advanced settings are: Spell Checking is used to turn on/off the spell checking option. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the slide precisely. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover documents in case of the unexpected program closing. 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%. You can also choose the Fit to Slide or Fit to Width option. Font Hinting is used to select the type a font is displayed in Presentation 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 on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. To save the changes you made, click the Apply button." + "body": "Presentation Editor lets you change its 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 advanced settings are: Spell Checking is used to turn on/off the spell checking option. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the slide precisely. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover documents in case of the unexpected program closing. 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%. You can also choose the Fit to Slide or Fit to Width option. Font Hinting is used to select the type a font is displayed in Presentation 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. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when an issue in the Google Chrome browser with the enabled hardware acceleration occurs. Presentation Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. Unit of Measurement is used to specify what units are used on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", @@ -63,7 +63,7 @@ var indexes = { "id": "ProgramInterface/PluginsTab.htm", "title": "Plugins tab", - "body": "The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations. Online Presentation Editor window: Desktop Presentation Editor window: The Settings button allows to open the window where you can view and manage all installed plugins and add your own ones. The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation. Currently, the following plugins are available: Send allows to send the presentation via email using the default desktop mail client (available in the desktop version only), Audio allows to insert audio records stored on the hard disk drive into your presentation (available in the desktop version only), Video allows to insert video records stored on the hard disk drive into your presentation (available in the desktop version only), Note: to be able to playback video, you'll need to install codecs, for example, K-Lite. Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, PhotoEditor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc., Symbol Table allows to insert special symbols into your text (available in the desktop version only), Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your presentation. To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." + "body": "The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations. Online Presentation Editor window: Desktop Presentation Editor window: The Settings button allows to open the window where you can view and manage all installed plugins and add your own ones. The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation. Currently, the following plugins are available: Send allows to send the presentation via email using the default desktop mail client (available in the desktop version only), Audio allows to insert audio records stored on the hard disk drive into your presentation (available in the desktop version only, not available for Mac OS), Video allows to insert video records stored on the hard disk drive into your presentation (available in the desktop version only, not available for Mac OS), Note: to be able to playback video, you'll need to install codecs, for example, K-Lite. Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, PhotoEditor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc., Symbol Table allows to insert special symbols into your text (available in the desktop version only), Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your presentation. To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." }, { "id": "ProgramInterface/ProgramInterface.htm", diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm index ca7e9ac11..774b37092 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm @@ -28,8 +28,8 @@

      В настоящее время по умолчанию доступны следующие плагины:

      • Отправить - позволяет отправить презентацию по электронной почте с помощью десктопного почтового клиента по умолчанию (доступно только в десктопной версии),
      • -
      • Аудио - позволяет вставлять в презентацию аудиозаписи, сохраненные на жестком диске (доступно только в десктопной версии),
      • -
      • Видео - позволяет вставлять в презентацию видеозаписи, сохраненные на жестком диске (доступно только в десктопной версии), +
      • Аудио - позволяет вставлять в презентацию аудиозаписи, сохраненные на жестком диске (доступно только в десктопной версии, недоступно для Mac OS),
      • +
      • Видео - позволяет вставлять в презентацию видеозаписи, сохраненные на жестком диске (доступно только в десктопной версии, недоступно для Mac OS),

        Примечание: для воспроизведения видео нужно установить кодеки, например K-Lite.

        diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm index a1b12ecf8..6fa2de6d3 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm @@ -89,11 +89,11 @@
      • щелкните по значку Изменить макет слайда Изменить макет слайда и выберите макет, к которому вы хотите добавить объект,
      • при помощи вкладки Вставка верхней панели инструментов добавьте нужный объект на слайд (изображение, таблица, диаграмма, автофигура), далее нажмите правой кнопкой мыши на данный объект и выберите пункт Добавить в макет, -

        Добавить в макет

        +

        Добавить в макет

      • на вкладке Главная нажмите Изменить макет слайда Изменить макет слайда и примените измененный макет. -

        Применить макет

        +

        Применить макет

        Выделенные объекты будут добавлены к текущему макету темы.

        Примечание: расположенные таким образом объекты на слайде не могут быть выделены, изменены или передвинуты.

      • diff --git a/apps/presentationeditor/main/resources/help/ru/search/indexes.js b/apps/presentationeditor/main/resources/help/ru/search/indexes.js index 71081614e..be82588c0 100644 --- a/apps/presentationeditor/main/resources/help/ru/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/ru/search/indexes.js @@ -8,7 +8,7 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Дополнительные параметры редактора презентаций", - "body": "Вы можете изменить дополнительные параметры редактора презентаций. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. Доступны следующие дополнительные параметры: Альтернативный ввод - используется для включения/отключения иероглифов. Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на слайде. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления документа в случае непредвиденного закрытия программы. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру слайда или По ширине. Хинтинг шрифтов - используется для выбора типа отображения шрифта в редакторе презентаций: Выберите опцию Как Windows, если вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Единица измерения - используется для определения единиц, которые должны использоваться на линейках и в окнах свойств для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "Вы можете изменить дополнительные параметры редактора презентаций. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. Доступны следующие дополнительные параметры: Альтернативный ввод - используется для включения/отключения иероглифов. Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на слайде. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления документа в случае непредвиденного закрытия программы. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру слайда или По ширине. Хинтинг шрифтов - используется для выбора типа отображения шрифта в редакторе презентаций: Выберите опцию Как Windows, если вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением. В редакторе презентаций есть два режима кэширования: В первом режиме кэширования каждая буква кэшируется как отдельная картинка. Во втором режиме кэширования выделяется картинка определенного размера, в которой динамически располагаются буквы, а также реализован механизм выделения и удаления памяти в этой картинке. Если памяти недостаточно, создается другая картинка, и так далее. Настройка Режим кэширования по умолчанию применяет два вышеуказанных режима кэширования по отдельности для разных браузеров: Когда настройка Режим кэширования по умолчанию включена, в Internet Explorer (v. 9, 10, 11) используется второй режим кэширования, в других браузерах используется первый режим кэширования. Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования. Единица измерения - используется для определения единиц, которые должны использоваться на линейках и в окнах свойств для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/CollaborativeEditing.htm", @@ -63,7 +63,7 @@ var indexes = { "id": "ProgramInterface/PluginsTab.htm", "title": "Вкладка Плагины", - "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные. Кнопка Макросы позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: Отправить - позволяет отправить презентацию по электронной почте с помощью десктопного почтового клиента по умолчанию (доступно только в десктопной версии), Аудио - позволяет вставлять в презентацию аудиозаписи, сохраненные на жестком диске (доступно только в десктопной версии), Видео - позволяет вставлять в презентацию видеозаписи, сохраненные на жестком диске (доступно только в десктопной версии), Примечание: для воспроизведения видео нужно установить кодеки, например K-Lite. Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона, Фоторедактор - позволяет редактировать изображения: обрезать, отражать, поворачивать их, рисовать линии и фигуры, добавлять иконки и текст, загружать маску и применять фильтры, такие как Оттенки серого, Инверсия, Сепия, Размытие, Резкость, Рельеф и другие, Таблица символов позволяет вставлять в текст специальные символы (доступно только в десктопной версии), Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант, Переводчик позволяет переводить выделенный текст на другие языки, YouTube позволяет встраивать в презентацию видео с YouTube. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API." + "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные. Кнопка Макросы позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: Отправить - позволяет отправить презентацию по электронной почте с помощью десктопного почтового клиента по умолчанию (доступно только в десктопной версии), Аудио - позволяет вставлять в презентацию аудиозаписи, сохраненные на жестком диске (доступно только в десктопной версии, недоступно для Mac OS), Видео - позволяет вставлять в презентацию видеозаписи, сохраненные на жестком диске (доступно только в десктопной версии, недоступно для Mac OS), Примечание: для воспроизведения видео нужно установить кодеки, например K-Lite. Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона, Фоторедактор - позволяет редактировать изображения: обрезать, отражать, поворачивать их, рисовать линии и фигуры, добавлять иконки и текст, загружать маску и применять фильтры, такие как Оттенки серого, Инверсия, Сепия, Размытие, Резкость, Рельеф и другие, Таблица символов позволяет вставлять в текст специальные символы (доступно только в десктопной версии), Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант, Переводчик позволяет переводить выделенный текст на другие языки, YouTube позволяет встраивать в презентацию видео с YouTube. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API." }, { "id": "ProgramInterface/ProgramInterface.htm", @@ -128,7 +128,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка и настройка изображений", - "body": "Вставка изображения В онлайн-редакторе презентаций можно вставлять в презентацию изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Для добавления изображения на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить изображение, щелкните по значку Изображение на вкладке Главная или Вставка верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того как изображение будет добавлено, можно изменить его размер и положение. Вы также можете добавить изображение внутри текстовой рамки, нажав на кнопку Изображение из файла в ней и выбрав нужное изображение, сохраненное на компьютере, или используйте кнопку Изображение по URL и укажите URL-адрес изображения: Также можно добавить изображение в макет слайда. Для получения дополнительной информации вы можете обратиться к этой статье. Изменение параметров изображения Правая боковая панель активируется при щелчке по изображению левой кнопкой мыши и выборе значка Параметры изображения справа. Вкладка содержит следующие разделы: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения или при необходимости восстановить Реальный размер изображения. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Заменить изображение - используется, чтобы загрузить другое изображение вместо текущего, выбрав нужный источник. Можно выбрать одну из опций: Из файла или По URL. Опция Заменить изображение также доступна в контекстном меню, вызываемом правой кнопкой мыши. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню опцию Дополнительные параметры изображения или щелкните по изображению левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Положение позволяет задать следующие свойства изображения: Размер - используйте эту опцию, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Положение - используйте эту опцию, чтобы изменить положение изображения на слайде (вычисляется относительно верхней и левой стороны слайда). Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять изображение на слайде или расположить в определенном порядке несколько изображений, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде." + "body": "Вставка изображения В редакторе презентаций можно вставлять в презентацию изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Для добавления изображения на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить изображение, щелкните по значку Изображение на вкладке Главная или Вставка верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того как изображение будет добавлено, можно изменить его размер и положение. Вы также можете добавить изображение внутри текстовой рамки, нажав на кнопку Изображение из файла в ней и выбрав нужное изображение, сохраненное на компьютере, или используйте кнопку Изображение по URL и укажите URL-адрес изображения: Также можно добавить изображение в макет слайда. Для получения дополнительной информации вы можете обратиться к этой статье. Изменение параметров изображения Правая боковая панель активируется при щелчке по изображению левой кнопкой мыши и выборе значка Параметры изображения справа. Вкладка содержит следующие разделы: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения или при необходимости восстановить Реальный размер изображения. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Заменить изображение - используется, чтобы загрузить другое изображение вместо текущего, выбрав нужный источник. Можно выбрать одну из опций: Из файла или По URL. Опция Заменить изображение также доступна в контекстном меню, вызываемом правой кнопкой мыши. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню опцию Дополнительные параметры изображения или щелкните по изображению левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Положение позволяет задать следующие свойства изображения: Размер - используйте эту опцию, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Положение - используйте эту опцию, чтобы изменить положение изображения на слайде (вычисляется относительно верхней и левой стороны слайда). Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять изображение на слайде или расположить в определенном порядке несколько изображений, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде." }, { "id": "UsageInstructions/InsertSymbols.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js index 044c68673..5f99b87b3 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js @@ -2228,7 +2228,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 in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover spreadsheets in case of the unexpected program closing. 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. Separator is used to specify the characters that you want to use as separators for decimals and thousands. The Use separators based on regional settings option is selected by default. If you want to use custom separators, uncheck this box and enter the necessary characters in the Decimal separator and Thousands separator fields below. 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 in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover spreadsheets in case of the unexpected program closing. 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. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when an issue in the Google Chrome browser with the enabled hardware acceleration occurs. Spreadsheet Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. 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. Separator is used to specify the characters that you want to use as separators for decimals and thousands. The Use separators based on regional settings option is selected by default. If you want to use custom separators, uncheck this box and enter the necessary characters in the Decimal separator and Thousands separator fields below. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js index cdd4784f4..cf8af5556 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js @@ -2228,7 +2228,7 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Дополнительные параметры редактора электронных таблиц", - "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, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Разделители - используется для определения символов, которые вы хотите использовать как разделители для десятичных знаков и тысяч. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "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, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением. В редакторе электронных таблиц есть два режима кэширования: В первом режиме кэширования каждая буква кэшируется как отдельная картинка. Во втором режиме кэширования выделяется картинка определенного размера, в которой динамически располагаются буквы, а также реализован механизм выделения и удаления памяти в этой картинке. Если памяти недостаточно, создается другая картинка, и так далее. Настройка Режим кэширования по умолчанию применяет два вышеуказанных режима кэширования по отдельности для разных браузеров: Когда настройка Режим кэширования по умолчанию включена, в Internet Explorer (v. 9, 10, 11) используется второй режим кэширования, в других браузерах используется первый режим кэширования. Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Разделители - используется для определения символов, которые вы хотите использовать как разделители для десятичных знаков и тысяч. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/CollaborativeEditing.htm", From ebbbbdcb7fa9d84d16488af2ca54f1e9868d9c8b Mon Sep 17 00:00:00 2001 From: Maxim Kadushkin Date: Thu, 12 Mar 2020 19:40:41 +0300 Subject: [PATCH 07/51] [all] hide logo on skeleton for desktop mode --- apps/documenteditor/main/index.html.deploy | 8 ++++++++ apps/presentationeditor/main/index.html.deploy | 7 +++++++ apps/spreadsheeteditor/main/index.html.deploy | 8 ++++++++ 3 files changed, 23 insertions(+) diff --git a/apps/documenteditor/main/index.html.deploy b/apps/documenteditor/main/index.html.deploy index 5f0fdbec3..4101dae9e 100644 --- a/apps/documenteditor/main/index.html.deploy +++ b/apps/documenteditor/main/index.html.deploy @@ -201,6 +201,7 @@ window.frameEditorId = params["frameEditorId"]; if ( window.AscDesktopEditor ) { + window.desktop = window.AscDesktopEditor; window.on_native_message = function (cmd, param) { !window.native_message_cmd && (window.native_message_cmd = []); window.native_message_cmd[cmd] = param; @@ -215,6 +216,13 @@